Форум программистов, компьютерный форум, киберфорум
iamvic
Войти
Регистрация
Восстановить пароль
Путевые заметки в процессе познания Python и PyQt/PySide.
Помни - только тег CODE не портит код добавлением пробела в начало пустой строки.
Оценить эту запись

К вопросу о построении дерева родительских отношений в PyQt (часть 5)

Запись от iamvic размещена 24.09.2024 в 16:23
Метки pyqt5, python 3

Изменений накопилось достаточно, благодаря ценным замечаниям voral и, как ни странно, ёмкой формулировке кадровика о том какую роль играет назначение родителей при построении графического интерфейса, поставившей точку в споре моих подопечных . Формулировку кадровика повторять не буду, просто добавлю свои комментарии в тексте одного из виджетов для понимания происходящего.

А вернуться придётся к тому, с чего всё и начиналось.

Испытательную программу scroll_mentor.py можно запускать в двух режимах:
- штатный режим (дополнительный параметр отсутствует):

Bash
1
c:\qtprobe\scroll_mentor>py scroll_mentor.py
- расширенный режим (присутствует какой-нибудь дополнительный параметр, например, 1):

Bash
1
c:\qtprobe\scroll_mentor>py scroll_mentor.py 1
В связи с тем, что расширенный режим предполагает вывод большого количества данных на устройство стандартного вывода (экран), рекомендуется перенаправить этот вывод в какой-нибудь файл журнала и разбирать его уже потом:

Bash
1
c:\qtprobe\scroll_mentor>py scroll_mentor.py 1 > scroll_mentor.log
Сам пакет состоит из двух файлов:

scroll_mentor.py

Python
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
#!/usr/bin/python3
# -*- coding: utf-8 -*-
#
# Scroll Mentor v0.02
import sys
import tree_builder
from PyQt5 import QtCore, QtWidgets
 
def del_lay(lx):
    while lx.count():
        lx_member = lx.takeAt(0)
        if lx_member.widget():
            lx_member.widget().deleteLater()
    lx.deleteLater()
 
def find_lay(wdt, lst = []):
    lx = None
    for x in lst:
        for i in range(x.count()):
            if x.itemAt(i).widget() == wdt:
                lx = x
                break
        if lx is not None:
            break
    return lx
 
class Scroll_eter(QtWidgets.QWidget):
    def __init__(self, parent=None):
        super(Scroll_eter, self).__init__(parent)
        s_lout = QtWidgets.QVBoxLayout()
        v_lout = QtWidgets.QVBoxLayout()
        s_area = QtWidgets.QScrollArea()
        h_area = QtWidgets.QHBoxLayout()
        v_area = QtWidgets.QVBoxLayout()
        s_cont = QtWidgets.QWidget()
        # Подбираем кандидатов для работы на данном участке семейного
        # предприятия в соответствии с их происхождением (предки-то
        # у них всё же разные, поскольку наследуют они разные классы).
        # На текущий момент все они - сироты, родителей у них нет.
 
        s_lout.setObjectName('s_lout')
        v_lout.setObjectName('v_lout')
        s_area.setObjectName('s_area')
        s_area.setWidgetResizable(True)
        h_area.setObjectName('h_area')
        v_area.setObjectName('v_area')
        s_cont.setObjectName('s_cont')
        # Наделяем кандидатов необходимыми дополнительными свойствами.
 
        v_lout.addLayout(s_lout)
        v_lout.addStretch(1)
        h_area.addLayout(v_lout)
        v_area.addWidget(s_area)
        s_cont.setLayout(h_area)
        s_area.setWidget(s_cont)
        self.setLayout(v_area)
        # Распределяем кандидатов на конкретные места в структуре
        # подчинения в соответствии с кондициями кандидатов.
        # Родители (опекуны), управляющие деятельностью работника
        # на каждом рабочем месте, назначаются в процессе распределения
        # автоматически, в соответствии с логикой построения интерфейса.
 
class Record_list(QtWidgets.QWidget):
    def __init__(self, parent=None):
        super(Record_list, self).__init__(parent)
        pb_date = QtWidgets.QPushButton('Выбрать дату')
        pb_addt = QtWidgets.QPushButton('Добавить тренировку')
        pb_save = QtWidgets.QPushButton('Сохранить')
        pb_peel = QtWidgets.QPushButton('Очистить список')
        s_list = Scroll_eter()
        mv_lout = QtWidgets.QVBoxLayout()
        h_lout = QtWidgets.QHBoxLayout()
 
        pb_date.setObjectName('pb_date')
        pb_addt.setObjectName('pb_addt')
        pb_save.setObjectName('pb_save')
        pb_peel.setObjectName('pb_peel')
        s_list.setObjectName('s_list')
        mv_lout.setObjectName('mv_lout')
        h_lout.setObjectName('h_lout')
 
        mv_lout.addWidget(pb_date)
        mv_lout.addWidget(s_list)
        mv_lout.addWidget(pb_addt)
        mv_lout.addWidget(pb_save)
        mv_lout.addWidget(pb_peel)
        h_lout.addLayout(mv_lout)
        self.setLayout(h_lout)
 
        pb_date.pressed.connect(self.on_pb_date_pressed)
        pb_addt.pressed.connect(self.on_pb_addt_pressed)
        pb_save.pressed.connect(self.on_pb_save_pressed)
        pb_peel.pressed.connect(self.on_pb_peel_pressed)
 
    def on_pb_date_pressed(self):
        print('pressed ===>', self.sender().objectName()) #text())
 
    def on_pb_addt_pressed(self):
        print('pressed ===>', self.sender().objectName()) #text())
 
        le_1 = QtWidgets.QLineEdit()
        le_2 = QtWidgets.QLineEdit()
        le_3 = QtWidgets.QLineEdit()
        pb_x = QtWidgets.QPushButton('X')
        h_item = QtWidgets.QHBoxLayout()
 
        h_item.addWidget(le_1)
        h_item.addWidget(le_2)
        h_item.addWidget(le_3)
        h_item.addWidget(pb_x)
        self.findChild(QtWidgets.QVBoxLayout, 's_lout').addLayout(h_item)
 
        pb_x.pressed.connect(self.on_pb_x_pressed)
 
    def on_pb_save_pressed(self):
        print('pressed ===>', self.sender().objectName()) #text())
 
        tree_builder.prepare_tree(self, len(sys.argv) > 1)
 
    def on_pb_peel_pressed(self):
        print('pressed ===>', self.sender().objectName()) #text())
 
        for lx in (
            self.findChild(
                QtWidgets.QVBoxLayout,'s_lout').findChildren(
                    QtWidgets.QHBoxLayout)):
                del_lay(lx)
 
    def on_pb_x_pressed(self):
        print('pressed ===>', self.sender().objectName()) #text())
 
        lx = find_lay(
            self.sender(),
            self.findChild(
                QtWidgets.QVBoxLayout, 's_lout').findChildren(
                    QtWidgets.QHBoxLayout))
        if lx is not None:
            del_lay(lx)
 
if __name__ == '__main__':
    app = QtWidgets.QApplication(sys.argv)
    mwin = Record_list()
    mwin.show()
    sys.exit(app.exec())


tree_builder.py

Python
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
#!/usr/bin/python3
# -*- coding: utf-8 -*-
#
# Tree Builder (variant Mentor) v0.02
import sys
from PyQt5 import QtCore
 
class Pseudo_gist(object):
   prev_class = 'QFileDialog'
   oper_class = 'QFileSystemModel'
   oper_prev = None
   with_details = False
 
def los2mat(x):
    '''los2mat(x) - convert x (as list of strings) to matrix'''
    l_max = 0
    for item in x:
        l_max = len(item) if l_max < len(item) else l_max
    result = list()
    for item in x:
        result.append([oneChar for oneChar in item])
    for ix in result:
        l_ix = len(ix)
        if l_max > l_ix:
            for t in range(l_max - l_ix):
                ix.append('')
    return result
 
def make_root(x):
    if x.metaObject().className() == Pseudo_gist.prev_class:
        Pseudo_gist.oper_prev = x
    if x.metaObject().className() == Pseudo_gist.oper_class:
        z = Pseudo_gist.oper_prev
    else:
        z = x.parent()
    a = '{!s} {!s}({!s})'.format(
            'None' if z is None else hex(id(z)),
            '*' if z is None else
                '*' if len(z.objectName()) < 1 else z.objectName(),
            'NoneType' if z is None else z.metaObject().className())
    b = '{!s} {!s}({!s})'.format(
            hex(id(x)),
            '*' if len(x.objectName()) < 1 else x.objectName(),
            x.metaObject().className())
    c = '{!s} ==> {!s}'.format(a, b)
    if Pseudo_gist.with_details:
        print(c)
    return(c)
 
def make_tree(x, c=''):
    t = list()
    t.append(c)
    for i in x.findChildren(QtCore.QObject):
        x = make_root(i)
        t.append(x)
    return(t)
 
def build_tree(wdt):
    c = make_root(wdt)
    z = list()
    z.append(c.split(' ')[0])
    z_list = list()
    z_list.append(c.split(' ')[1])
    max_zli = len(z_list[0])
    rc = make_tree(wdt, c)
    for i in rc:
        z_idx = -1
        try:
            z_idx = z.index(i.split(' ')[0])
        except:
            z.append(i.split(' ')[0])
        else:
            if z_idx > -1:
                for z_i in range(len(z) - z_idx - 1):
                    z_item = z.pop()
            z.append(i.split(' ')[3])
            zli_new = '{!s}{!s}{!s}'.format(
                ''.rjust(5 * (len(z) - 2)),
                '+==> ',
                i.split(' ')[4]
                )
            max_zli = len(zli_new) if len(
                zli_new) > max_zli else max_zli
            z_list.append(zli_new)
    prelook('- - - 1. the initial list is ready - - -', z_list)
 
    z_list.reverse()
    prelook('- - - 2. the initial list is reversed - - -', z_list)
 
    z_prep = los2mat(z_list)
    prelook('- - - 3. the reversed list is converted to matrix - - -',
            z_prep)
 
    z_tran = [[z_prep[j][i] for j in range(len(z_prep))]
                for i in range(len(z_prep[0]))]
    prelook('- - - 4. the matrix has been transposed - - -', z_tran)
 
    i_alfa = -1
    for z_tran_i in z_tran:
        i_alfa += 1
        is_plus = False
        i_beta = -1
        for z_tran_j in z_tran_i:
            i_beta += 1
            if z_tran_j == '+':
                is_plus = True
            elif z_tran_j != ' ':
                is_plus = False
            elif is_plus and z_tran_j == ' ':
                z_tran[i_alfa][i_beta] = '|'
    prelook('- - - 5. the transposed matrix has been redesigned - - -',
            z_tran)
 
    z_retr = [[z_tran[j][i] for j in range(len(z_tran))]
                for i in range(len(z_tran[0]))]
    prelook('- - - 6. the redesigned matrix has been transposed - - -',
            z_retr)
 
    z_itog = list()
    for z_retr_i in z_retr:
        s_ix = ''
        for z_retr_ix in z_retr_i:
            s_ix += z_retr_ix
        z_itog.append(s_ix)
    prelook('- - - 7. the retransposed matrix is converted to list - - -',
            z_itog)
 
    z_itog.reverse()
    prelook('- - - 8. the converted list is reversed - - -', z_itog)
    if Pseudo_gist.with_details:
        print()
        print('- - - tree is ready - - -')
 
    for z_itog_i in z_itog:
        print(z_itog_i)
 
def prepare_tree(wdt, is_full_report=False):
    Pseudo_gist.with_details = is_full_report
    if Pseudo_gist.with_details:
        print()
        print('- - - 0. source for tree is ready - - -')
    else:
        print()
        print('- - - tree is ready - - -')
    build_tree(wdt)
 
def prelook(txt, ob):
    if Pseudo_gist.with_details:
        print(txt)
        for i in ob:
            print(i)

Пример вывода на экран (по нажатию кнопки Сохранить ):

Bash
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
c:\qtprobe\scroll_mentor>py scroll_mentor.py
 
pressed ===> pb_save
 
- - - tree is ready - - -
*(NoneType)
+==> *(Record_list)
     +==> h_lout(QHBoxLayout)
     |    +==> mv_lout(QVBoxLayout)
     +==> pb_date(QPushButton)
     +==> s_list(Scroll_eter)
     |    +==> v_area(QVBoxLayout)
     |    +==> s_area(QScrollArea)
     |         +==> qt_scrollarea_viewport(QWidget)
     |         |    +==> s_cont(QWidget)
     |         |         +==> h_area(QHBoxLayout)
     |         |              +==> v_lout(QVBoxLayout)
     |         |                   +==> s_lout(QVBoxLayout)
     |         +==> qt_scrollarea_hcontainer(QWidget)
     |         |    +==> *(QScrollBar)
     |         |    +==> *(QBoxLayout)
     |         +==> qt_scrollarea_vcontainer(QWidget)
     |              +==> *(QScrollBar)
     |              +==> *(QBoxLayout)
     +==> pb_addt(QPushButton)
     +==> pb_save(QPushButton)
     |    +==> *(QWindowsVistaTransition)
     +==> pb_peel(QPushButton)
          +==> *(QWindowsVistaTransition)
 
pressed ===> pb_addt
pressed ===> pb_addt
pressed ===> pb_addt
pressed ===> pb_save
 
- - - tree is ready - - -
*(NoneType)
+==> *(Record_list)
     +==> h_lout(QHBoxLayout)
     |    +==> mv_lout(QVBoxLayout)
     +==> pb_date(QPushButton)
     +==> s_list(Scroll_eter)
     |    +==> v_area(QVBoxLayout)
     |    +==> s_area(QScrollArea)
     |         +==> qt_scrollarea_viewport(QWidget)
     |         |    +==> s_cont(QWidget)
     |         |         +==> h_area(QHBoxLayout)
     |         |         |    +==> v_lout(QVBoxLayout)
     |         |         |         +==> s_lout(QVBoxLayout)
     |         |         |              +==> *(QHBoxLayout)
     |         |         |              +==> *(QHBoxLayout)
     |         |         |              +==> *(QHBoxLayout)
     |         |         +==> *(QLineEdit)
     |         |         |    +==> *(QWidgetLineControl)
     |         |         +==> *(QLineEdit)
     |         |         |    +==> *(QWidgetLineControl)
     |         |         +==> *(QLineEdit)
     |         |         |    +==> *(QWidgetLineControl)
     |         |         +==> *(QPushButton)
     |         |         +==> *(QLineEdit)
     |         |         |    +==> *(QWidgetLineControl)
     |         |         +==> *(QLineEdit)
     |         |         |    +==> *(QWidgetLineControl)
     |         |         +==> *(QLineEdit)
     |         |         |    +==> *(QWidgetLineControl)
     |         |         +==> *(QPushButton)
     |         |         +==> *(QLineEdit)
     |         |         |    +==> *(QWidgetLineControl)
     |         |         +==> *(QLineEdit)
     |         |         |    +==> *(QWidgetLineControl)
     |         |         +==> *(QLineEdit)
     |         |         |    +==> *(QWidgetLineControl)
     |         |         +==> *(QPushButton)
     |         +==> qt_scrollarea_hcontainer(QWidget)
     |         |    +==> *(QScrollBar)
     |         |    +==> *(QBoxLayout)
     |         +==> qt_scrollarea_vcontainer(QWidget)
     |              +==> *(QScrollBar)
     |              +==> *(QBoxLayout)
     +==> pb_addt(QPushButton)
     |    +==> *(QWindowsVistaTransition)
     +==> pb_save(QPushButton)
     |    +==> *(QWindowsVistaTransition)
     +==> pb_peel(QPushButton)
 
pressed ===> pb_peel
pressed ===> pb_save
 
- - - tree is ready - - -
*(NoneType)
+==> *(Record_list)
     +==> h_lout(QHBoxLayout)
     |    +==> mv_lout(QVBoxLayout)
     +==> pb_date(QPushButton)
     +==> s_list(Scroll_eter)
     |    +==> v_area(QVBoxLayout)
     |    +==> s_area(QScrollArea)
     |         +==> qt_scrollarea_viewport(QWidget)
     |         |    +==> s_cont(QWidget)
     |         |         +==> h_area(QHBoxLayout)
     |         |              +==> v_lout(QVBoxLayout)
     |         |                   +==> s_lout(QVBoxLayout)
     |         +==> qt_scrollarea_hcontainer(QWidget)
     |         |    +==> *(QScrollBar)
     |         |    +==> *(QBoxLayout)
     |         +==> qt_scrollarea_vcontainer(QWidget)
     |              +==> *(QScrollBar)
     |              +==> *(QBoxLayout)
     +==> pb_addt(QPushButton)
     |    +==> *(QWindowsVistaTransition)
     +==> pb_save(QPushButton)
     |    +==> *(QWindowsVistaTransition)
     +==> pb_peel(QPushButton)
Размещено в Памятка
Показов 454 Комментарии 0
Всего комментариев 0
Комментарии
 
КиберФорум - форум программистов, компьютерный форум, программирование
Powered by vBulletin
Copyright ©2000 - 2024, CyberForum.ru