File: permmap.py

package info (click to toggle)
setools 4.6.0-2
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid
  • size: 3,600 kB
  • sloc: python: 24,485; makefile: 14
file content (304 lines) | stat: -rw-r--r-- 11,709 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
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
# SPDX-License-Identifier: LGPL-2.1-only
# Copyright 2016, Tresys Technology, LLC

import copy
import logging

from PyQt6 import QtCore, QtGui, QtWidgets
from setools import PermissionMap

from . import models, views


class PermissionMapEditor(QtWidgets.QDialog):

    """
    A permission map editor.  This dialog has two versions,
    one for editing the weight/direction and another for
    including or excluding permissions in an analysis.

    Parameters:
    parent      The parent Qt widget
    edit        (bool) If true, the dialog will take
                the editor behavior.  If False, the dialog
                will take the enable/disable permission
                behavior.
    """

    apply_permmap = QtCore.pyqtSignal(PermissionMap)
    class_toggle = QtCore.pyqtSignal(bool)

    def __init__(self, perm_map: PermissionMap, edit: bool = False,
                 parent: QtWidgets.QWidget | None = None) -> None:
        super().__init__(parent)
        self.log = logging.getLogger(__name__)
        self.edit = edit

        # keep an internal copy because the map is mutable
        # and this dialog may be canceled after some edits.
        self.perm_map = copy.deepcopy(perm_map)

        if self.edit:
            self.setWindowTitle(f"{self.perm_map} - Permission Map Editor - apol")
        else:
            self.setWindowTitle(f"{self.perm_map} - Permission Map Viewer - apol")

        top_layout = QtWidgets.QVBoxLayout(self)

        #
        # Title
        #
        title = QtWidgets.QLabel(self)
        title.setObjectName("title")
        top_layout.addWidget(title)

        if self.edit:
            title.setText("Permission Map Editor")
        else:
            title.setText("Permission Map Viewer")

        frame = QtWidgets.QFrame(self)
        frame.setFrameShape(QtWidgets.QFrame.Shape.StyledPanel)
        frame.setFrameShadow(QtWidgets.QFrame.Shadow.Raised)
        frame_layout = QtWidgets.QGridLayout(frame)

        # set up class list
        self.classes = views.SEToolsListView(frame)
        sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Policy.Maximum,
                                           QtWidgets.QSizePolicy.Policy.Preferred)
        sizePolicy.setHorizontalStretch(0)
        sizePolicy.setVerticalStretch(0)
        sizePolicy.setHeightForWidth(self.classes.sizePolicy().hasHeightForWidth())
        self.classes.setSizePolicy(sizePolicy)
        self.classes.setModel(models.StringList(data=sorted(self.perm_map.classes()), parent=self))
        self.classes.selectionModel().selectionChanged.connect(self.class_selected)
        frame_layout.addWidget(self.classes, 0, 1, 1, 1)

        # Enable all button
        self.enable_all = QtWidgets.QPushButton(frame)
        self.enable_all.setText("Include All Permissions")
        frame_layout.addWidget(self.enable_all, 1, 2, 1, 1)

        # Disable all button
        self.disable_all = QtWidgets.QPushButton(frame)
        self.disable_all.setText("Exclude All Permissions")
        frame_layout.addWidget(self.disable_all, 1, 3, 1, 1)

        # permission widgets
        self.widgets = list[PermissionMapping | QtWidgets.QFrame]()
        scrollArea = QtWidgets.QScrollArea(frame)
        scrollArea.setWidgetResizable(True)
        scrollArea.setAlignment(
            QtCore.Qt.AlignmentFlag.AlignLeft |
            QtCore.Qt.AlignmentFlag.AlignTop)
        scrollAreaWidgetContents = QtWidgets.QWidget()
        scrollAreaWidgetContents.setGeometry(QtCore.QRect(0, 0, 463, 331))
        self.perm_mappings = QtWidgets.QVBoxLayout(scrollAreaWidgetContents)
        scrollArea.setWidget(scrollAreaWidgetContents)
        frame_layout.addWidget(scrollArea, 0, 2, 1, 2)
        top_layout.addWidget(frame)

        self.buttonBox = QtWidgets.QDialogButtonBox(self)
        self.buttonBox.setOrientation(QtCore.Qt.Orientation.Horizontal)
        self.buttonBox.setStandardButtons(
            QtWidgets.QDialogButtonBox.StandardButton.Cancel |
            QtWidgets.QDialogButtonBox.StandardButton.Ok)
        top_layout.addWidget(self.buttonBox)

        # set up editor mode
        self.enable_all.setHidden(self.edit)
        self.disable_all.setHidden(self.edit)

        # connect signals
        self.enable_all.clicked.connect(self.enable_all_perms)
        self.disable_all.clicked.connect(self.disable_all_perms)
        self.buttonBox.accepted.connect(self.accept)
        self.buttonBox.rejected.connect(self.reject)
        QtCore.QMetaObject.connectSlotsByName(self)

    def accept(self) -> None:
        """Accept the dialog and emit the perm_map signal."""
        self.apply_permmap.emit(self.perm_map)
        super().accept()

    def class_selected(self) -> None:
        """Handle a class being selected."""
        # the widget is set to 1 selection
        selection_model = self.classes.selectionModel()
        assert selection_model, "No selection model set, this is an SETools bug."  # type narrowing
        data_model = self.classes.model()
        assert data_model, "No data model set, this is an SETools bug."  # type narrowing
        for index in selection_model.selectedIndexes():
            class_name = data_model.data(index, models.ModelRoles.DisplayRole)

        self.log.debug(f"Setting class to {class_name}")

        self.enable_all.setToolTip(f"Include all permissions in the {class_name} class.")
        self.disable_all.setToolTip(f"Exclude all permissions in the {class_name} class.")

        self._clear_mappings()

        # populate new mappings
        for perm in sorted(self.perm_map.perms(class_name)):
            # create permission mapping
            mapping = PermissionMapping(perm, self.edit, self)
            mapping.setAttribute(QtCore.Qt.WidgetAttribute.WA_DeleteOnClose)
            self.class_toggle.connect(mapping.enabled.setChecked)
            self.perm_mappings.addWidget(mapping)
            self.widgets.append(mapping)

            # add horizontal line
            line = QtWidgets.QFrame(self)
            line.setFrameShape(QtWidgets.QFrame.Shape.HLine)
            line.setFrameShadow(QtWidgets.QFrame.Shadow.Sunken)
            self.perm_mappings.addWidget(line)
            self.widgets.append(line)

    def enable_all_perms(self) -> None:
        """Enable all permissions in the current class."""
        self.class_toggle.emit(True)

    def disable_all_perms(self) -> None:
        """Disable all permissions in the current class."""
        self.class_toggle.emit(False)

    #
    # Internal functions
    #
    def _clear_mappings(self):
        # delete current mappings
        for mapping in self.widgets:
            mapping.close()

        self.widgets.clear()


index_to_setting = ["r", "w", "b", "n"]
index_to_word = ["Read", "Write", "Both", "None"]
setting_to_index = {"r": 0, "w": 1, "b": 2, "n": 3}


class PermissionMapping(QtWidgets.QWidget):

    """
    A widget representing mapping for a particular permission.
    This dialog has two versions, one for editing the weight/direction
    and another for including or excluding permissions in an analysis.

    Parameters:
    parent      The parent Qt widget
    edit        (bool) If true, the widget will take
                the editor behavior.  If False, the dialog
                will take the enable/disable permission
                behavior.
    """

    def __init__(self, mapping, edit: bool = False, parent: PermissionMapEditor | None = None):
        super().__init__(parent)
        self.log = logging.getLogger(__name__)
        self.mapping = mapping
        self.edit = edit

        self.resize(457, 41)
        self.horizontalLayout = QtWidgets.QHBoxLayout(self)
        self.permission = QtWidgets.QLabel(self)
        self.permission.setText(str(self.mapping.perm))
        self.horizontalLayout.addWidget(self.permission)
        self.direction = QtWidgets.QComboBox(self)
        self.horizontalLayout.addWidget(self.direction)
        self.weight = QtWidgets.QSpinBox(self)
        self.weight.setMinimum(1)
        self.weight.setMaximum(10)
        self.weight.setSingleStep(1)
        self.weight.setValue(self.mapping.weight)
        self.horizontalLayout.addWidget(self.weight)
        self.enabled = QtWidgets.QCheckBox(self)
        self.enabled.setText("Include")
        self.enabled.setChecked(self.mapping.enabled)
        self.horizontalLayout.addWidget(self.enabled)

        if self.edit:
            self.weight.setToolTip(
                f"Set the information flow weight of \"{self.mapping.perm}\"")
            self.direction.setToolTip(
                f"Set the information flow direction of \"{self.mapping.perm}\"")
        else:
            self.enabled.setToolTip(
                f"Include or exclude \"{self.mapping.perm}\" from the analysis.")

        self.weight.setEnabled(self.edit)
        self.direction.setEnabled(self.edit)
        self.enabled.setHidden(self.edit)

        # setup color palettes for direction
        self.orig_palette = self.direction.palette()
        self.error_palette = self.direction.palette()
        self.error_palette.setColor(QtGui.QPalette.ColorRole.Button,
                                    QtCore.Qt.GlobalColor.red)
        self.error_palette.setColor(QtGui.QPalette.ColorRole.ButtonText,
                                    QtCore.Qt.GlobalColor.white)

        # setup direction
        self.direction.insertItems(0, index_to_word)
        if self.mapping.direction == 'u':
            # Temporarily add unmapped value to items
            self.direction.insertItem(len(index_to_word), "Unmapped")
            self.direction.setCurrentText("Unmapped")
            self.direction.setPalette(self.error_palette)
            self.unmapped = True
        else:
            self.direction.setCurrentIndex(setting_to_index[self.mapping.direction])
            self.unmapped = False

        # connect signals
        self.direction.currentIndexChanged.connect(self.set_direction)
        self.weight.valueChanged.connect(self.set_weight)
        self.enabled.toggled.connect(self.set_enabled)
        QtCore.QMetaObject.connectSlotsByName(self)

    def set_direction(self, value) -> None:
        """Set the direction for the mapping."""
        if self.unmapped:
            if value == "Unmapped":
                return

            # Remove unmapped item if setting the mapping.
            self.direction.removeItem(len(index_to_word))
            self.direction.setPalette(self.orig_palette)
            self.unmapped = False

        dir_ = index_to_setting[value]
        self.log.debug(f"Setting {self.mapping.class_}:{self.mapping.perm} direction to {dir_}")
        self.mapping.direction = dir_

    def set_weight(self, value: str | int) -> None:
        """Set the weight for the mapping."""
        self.log.debug(f"Setting {self.mapping.class_}:{self.mapping.perm} weight to {value}")
        self.mapping.weight = int(value)

    def set_enabled(self, value: bool) -> None:
        """Set the enabled value for the mapping."""
        self.log.debug(f"Setting {self.mapping.class_}:{self.mapping.perm} enabled to {value}")
        self.mapping.enabled = value


if __name__ == '__main__':
    import sys
    import warnings
    import setools

    logging.basicConfig(level=logging.DEBUG,
                        format='%(asctime)s|%(levelname)s|%(name)s|%(message)s')
    warnings.simplefilter("default")

    app = QtWidgets.QApplication(sys.argv)
    p = setools.SELinuxPolicy()
    m = setools.PermissionMap()
    m.map_policy(p)
    pview = PermissionMapEditor(m, edit=False)
    ped = PermissionMapEditor(m, edit=True)
    pview.show()
    ped.show()
    rc = app.exec()

    sys.exit(rc)