コード例 #1
0
ファイル: FileLoader.py プロジェクト: merdovash/SourceCheker
    def run(self, filename):
        layout_ = QVBoxLayout()
        label = QLabel("Обработка файла: {}".format(filename))
        layout_.addWidget(label)

        progress_bar = QProgressBar()
        progress_bar.setRange(0, 100)
        message = QLabel()
        layout_.addWidget(message, alignment=Qt.AlignCenter)

        layout_.addWidget(progress_bar)

        self.layout().addLayout(layout_)

        def progress_bar_update(text='', value=0):
            progress_bar.setValue(value)
            message.setText(text)
            QApplication.instance().processEvents()

        try:
            sources = find_missing_src(filename, progress_bar_update,
                                       **self.config())

            result_widget = ResultWidget(sources, filename, **self.config())
            if self.auto_save.isChecked():
                result_widget.save(auto=True)

            self.new_result.emit(result_widget, filename,
                                 self.view_type_checkbox.isChecked())
        except NoSourcesException as e:
            QMessageBox().critical(
                self, "Ошибка", "Раздел с источниками не обнаружен" + str(e))
        except Exception as exception:
            QMessageBox().critical(
                self, "Ошибка",
                "Во время чтения файла произошла ошибка" + str(exception))
            traceback.print_exc(exception)

        finally:
            self.layout().removeItem(layout_)
            progress_bar.setParent(None)
            progress_bar.deleteLater()
            label.setParent(None)
            label.deleteLater()
            message.setParent(None)
            message.deleteLater()
            layout_.deleteLater()
            QApplication.instance().processEvents()
コード例 #2
0
ファイル: main.py プロジェクト: tobias290/Converter
class MainWindow(QMainWindow):
    """
    Main class which holds all code relating to the main window and GUI interface
    """
    def __init__(self, *args, **kwargs):
        super().__init__(*args, **kwargs)

        # noinspection PyArgumentList
        # noinspection PyCallByClass
        QFontDatabase.addApplicationFont("fonts/krub/Krub-Regular.ttf")

        # Set window properties
        self.setWindowTitle("Converter")
        self.setWindowIcon(QIcon("images/app/logo.png"))
        self.setFixedSize(300, 500)
        self.setObjectName("main")

        self.setStyleSheet(open("main.css").read())

        # Navigation buttons/labels placeholders
        self.previous: QLabel = None
        self.current: QLabel = None
        self.next: QLabel = None

        # Animation property for the navigation buttons/labels
        self.animation: QPropertyAnimation = None

        # List of available conversions
        self.options: helpers.ListHelper = helpers.ListHelper(CONVERSIONS)
        self.current_option_symbol: str = glfcn(self.options.current)[0].symbol

        # Create the navigation
        self.create_navigation()

        # Main conversion UI placeholders
        self.input: QLineEdit = None
        self.convert: QPushButton = None
        self.clear: QPushButton = None
        self.combo: QComboBox = None
        self.results: List[QLabel] = []

        self.container: QWidget = None
        self.v_layout: QVBoxLayout = None
        self.scroll_area: QScrollArea = None

        # Create the main UI
        self.create_ui()

        # Show all
        self.show()

    def create_navigation(self):
        """
        Creates the navigation UI
        """
        self.previous = QLabel(self.options.previous, self)
        self.previous.mousePressEvent = self.previous_button_click
        self.previous.installEventFilter(self)
        self.previous.setToolTip(self.options.previous)
        self.previous.setObjectName("previous-category")
        self.previous.setAlignment(Qt.AlignRight | Qt.AlignVCenter)
        self.previous.setGeometry(-125, 20, 150, 50)

        self.current = QLabel(self.options.current, self)
        self.current.setObjectName("current-category")
        self.current.setAlignment(Qt.AlignCenter)
        self.current.setGeometry(helpers.set_to_middle(300, 200), 20, 200, 50)

        self.next = QLabel(self.options.next, self)
        self.next.mousePressEvent = self.next_button_click
        self.next.installEventFilter(self)
        self.next.setToolTip(self.options.next)
        self.next.setObjectName("next-category")
        self.next.setAlignment(Qt.AlignLeft | Qt.AlignVCenter)
        self.next.setGeometry(275, 20, 150, 50)

    def create_ui(self):
        """
        Creates the main UI for the conversions
        """
        self.input = QLineEdit(self)
        self.input.setGeometry(0, 90, 250, 70)

        self.combo = QComboBox(self)
        self.combo.currentIndexChanged.connect(self.change_option_symbol)
        self.combo.setObjectName("combo")
        self.combo.addItems(glfcn(self.options.current))
        self.combo.setGeometry(230, 90, 70, 70)

        self.convert = QPushButton("Convert", self)
        self.convert.clicked.connect(self.convert_click)
        self.convert.setObjectName("convert")
        self.convert.setGeometry(0, 160, 150, 70)

        self.clear = QPushButton("Clear", self)
        self.clear.clicked.connect(self.clear_click)
        self.clear.setObjectName("clear")
        self.clear.setGeometry(150, 160, 150, 70)

    def eventFilter(self, obj, event):
        """
        Event filter for when the user hovers over the previous/next options in the navigation UI
        :param obj: Instance of the object that was clicked on
        :param event: Event type
        :return: Return true if event occurred
        """

        if event.type() == QEvent.HoverEnter:
            self.animation = QPropertyAnimation(obj, b"geometry")
            self.animation.setDuration(100)
            self.animation.setStartValue(QRect(275, 20, 150, 50) if obj == self.next else QRect(-125, 20, 150, 50))
            self.animation.setEndValue(QRect(265, 20, 150, 50) if obj == self.next else QRect(-115, 20, 150, 50))
            self.animation.start()
            return True
        elif event.type() == QEvent.HoverLeave:
            self.animation = QPropertyAnimation(obj, b"geometry")
            self.animation.setDuration(100)
            self.animation.setStartValue(QRect(265, 20, 150, 50) if obj == self.next else QRect(-115, 20, 150, 50))
            self.animation.setEndValue(QRect(275, 20, 150, 50) if obj == self.next else QRect(-125, 20, 150, 50))
            self.animation.start()
            return True
        return False

    def update_navigation(self):
        """
        Update the navigation when the user navigates between options
        """
        # Set new option titles
        self.previous.setText(self.options.previous)
        self.previous.setToolTip(self.options.previous)
        self.current.setText(self.options.current)
        self.next.setText(self.options.next)
        self.next.setToolTip(self.options.next)

        # Update UI components
        self.previous.update()
        self.current.update()
        self.next.update()

    def previous_button_click(self, event):
        """
        Called when the previous option button is clicked.
        Changes the conversion to the previous option
        :param event: Event type
        """
        self.options.change_previous_to_current()
        self.combo.clear()
        self.combo.addItems(glfcn(self.options.current))
        self.update_navigation()

    def next_button_click(self, event):
        """
        Called when the next option button is clicked.
        Changes the conversion to the next option
        :param event: Event type
       """
        self.options.change_next_to_current()
        self.combo.clear()
        self.combo.addItems(glfcn(self.options.current))
        self.update_navigation()

    def change_option_symbol(self, i):
        """
        Called when the user changed the unit of conversion for the given conversion type
        :param i: Current index
        """
        self.current_option_symbol = glfcn(self.options.current)[i].symbol

    def convert_click(self):
        """
        Called when the user clicks the convert button
        Takes the given input and outputs all the possible conversions
        """
        # If no input don't attempt to convert
        if self.input.text() == "" or self.input.text().isspace():
            return

        if self.container is not None:
            self.container.deleteLater()
            self.container.update()
            self.v_layout.deleteLater()
            self.v_layout.update()
            self.scroll_area.deleteLater()
            self.scroll_area.update()

        # Delete all the current results
        for result in self.results:
            result.deleteLater()
            result.update()

        # Clear the results list
        self.results.clear()

        # Create the converter
        converter = \
            glfcn(self.options.current)\
            .get_unit_from_symbol(self.current_option_symbol)\
            .cls(self.input.text())

        self.container = QWidget(self)
        self.v_layout = QVBoxLayout()

        # Get all the results and append them to the results list and crate a visible label for each result
        for i, (key, value) in enumerate(converter.all().items()):
            value = round(value, 6) if type(value) != str else value
            label = QLabel(f"{value} <strong>{key}</strong>", self)
            label.setProperty("class", "result" if i != len(converter.all().items()) - 1 else "result no-border")
            label.setGeometry(0, 230 + (i * 70), 300, 70)
            label.setFixedSize(300, 70)

            self.v_layout.addWidget(label, alignment=Qt.AlignLeft)

            # Append the results
            self.results.append(label)

        self.container.setLayout(self.v_layout)
        self.container.setFixedWidth(300)

        self.scroll_area = QScrollArea(self)
        self.scroll_area.setWidget(self.container)
        self.scroll_area.setHorizontalScrollBarPolicy(Qt.ScrollBarAlwaysOff)
        self.scroll_area.setGeometry(0, 230, 300, 270)

        self.scroll_area.show()
        self.container.show()

    def clear_click(self):
        """
        Clears the input box
        """
        self.input.clear()

        if self.container is not None:
            self.container.deleteLater()
            self.container.update()
            self.v_layout.deleteLater()
            self.v_layout.update()
            self.scroll_area.deleteLater()
            self.scroll_area.update()

        # Delete all the current results
        for result in self.results:
            result.deleteLater()
            result.update()

        # Clear the results list
        self.results.clear()
コード例 #3
0
class Window(QWidget):
    def __init__(self):
        super().__init__()

        self.batch_size = 1

        self._l_main = QHBoxLayout(self)

        # Start Menu
        self._w_start = QWidget(self)
        self._l_start = QVBoxLayout(self._w_start)
        self._l_main.addWidget(self._w_start)

        l_model = QLabel(self._w_start)
        l_model.setText('Select model to work with')
        self._l_start.addWidget(l_model)

        self.cb_model = QComboBox(self._w_start)
        self.cb_model.addItems([
            'models/model_Mnist_Dense_y.ckpt',
            'models/model_Mnist_Dense_noy.ckpt',
            'models/model_Mnist_Conv_y.ckpt',
            'models/model_Gan_Mnist_Conv_y.ckpt',
            'models/model_Celeb_Conv_4_noy.ckpt',
            'models/model_Celeb_Subpix_4_noy.ckpt',
            'models/model_Gan_Celeb_Conv_4_noy_S1.ckpt',
            'models/model_Gan_Celeb_Conv_4_noy_new.ckpt',
            'models/model_CelebBig_noy.ckpt',
            'models/model_Cell_Conv_noy.ckpt',
        ])
        self._l_start.addWidget(self.cb_model)

        b_model = QPushButton('Load Model', self._w_start)
        b_model.clicked.connect(self.load_model)
        self._l_start.addWidget(b_model)

        # Input Images
        self.iimg = [None, None]
        # Latent representation of input images, computed after loading was done
        self.img_z = [None, None]
        # Label of input image if exists
        self.img_y = [None, None]

        self.z_dim = None
        self.y_dim = None
        self.image_channels = None
        self.image_size = None

        # Widgets to display images
        self._l_oimg = [QLabel('', self), QLabel('', self)]
        self._l_iimg = [QLabel('', self), QLabel('', self)]
        self._l_anim = QLabel('', self)

        self.z_sliders = []
        self.y_checks = []
        self.curr_index = 0

        config = tf.ConfigProto(device_count={'GPU': 0})
        self.sess = tf.Session(config=config)

        self._t = QTimer()
        self._t.setInterval(10)
        self._t.timeout.connect(self.animationStep)

        self.solver = None
        self.dataset = None
        self.settings = {}

    def load_model(self, clicked):
        s_m = str(self.cb_model.currentText())

        # Fill up settings from model string
        if 'Mnist' in s_m:
            self.dataset = MNIST()
            self.z_dim = 5
            self.y_dim = 10
            self.image_size = 28
            self.image_channels = 1
        elif 'CelebBig' in s_m:
            self.dataset = CelebBig()
            self.z_dim = 128
            self.y_dim = 40
            self.image_size = 128
            self.image_channels = 3
        elif 'Celeb' in s_m:
            self.dataset = CelebA()
            self.z_dim = 50
            self.y_dim = 40
            self.image_size = 32
            self.image_channels = 3
        elif 'Cell' in s_m:
            self.dataset = Cell()
            self.z_dim = 50
            self.y_dim = None
            self.image_size = 64
            self.image_channels = 1

        if 'noy' in s_m:
            self.y_dim = None

        if 'Mnist_Dense' in s_m:
            model_class = ModelDenseMnist
        elif 'Mnist_Conv' in s_m:
            model_class = ModelConvMnist
        elif 'Celeb_Conv' in s_m:
            model_class = ModelConv32
        elif 'Celeb_Subpix' in s_m:
            model_class = ModelSubpix32
            self.y_dim = None
        elif 'CelebBig' in s_m:
            model_class = ModelConv128
        elif 'CelebBig' in s_m:
            model_class = ModelConv128
        elif 'Cell' in s_m:
            model_class = ModelConv64

        model = model_class(batch_size=self.batch_size,
                            z_dim=self.z_dim,
                            y_dim=self.y_dim,
                            is_training=False)
        #
        # if 'WGan' in s_m:
        #     self.solver = AaeWGanSolver(model=model)
        # elif 'Gan' in s_m:
        #     self.solver = AaeGanSolver(model=model)
        # else:
        self.solver = AaeSolver(model=model)

        self.sess.run(tf.global_variables_initializer())
        # Saver
        saver = tf.train.Saver()
        # Restore previous
        saver.restore(self.sess, s_m)

        self.build_interface()

    def build_interface(self):
        # Hide starting widget
        self._w_start.hide()

        # Reserve a place to display input and output images

        pix = QPixmap(2 * self.image_size, 2 * self.image_size)
        pix.fill(QColor(0, 0, 0))

        # Left sidebar
        l_left = QVBoxLayout()
        self._l_start.deleteLater()
        self._l_main.addLayout(l_left)
        b_iimgl = [
            QPushButton('Load first image', self),
            QPushButton('Load second image', self)
        ]
        b_iimgrz = [
            QPushButton('Sample random first z', self),
            QPushButton('Sample random second z', self)
        ]
        b_iimgri = [
            QPushButton('Sample random first image', self),
            QPushButton('Sample random second image', self)
        ]
        imgl_slots = [partial(self.load_image, 0), partial(self.load_image, 1)]
        imgrz_slots = [
            partial(self.sample_random_z, 0),
            partial(self.sample_random_z, 1)
        ]
        imgri_slots = [
            partial(self.sample_random_image, 0),
            partial(self.sample_random_image, 1)
        ]

        for i in range(2):
            self._l_iimg[i].setPixmap(pix)
            self._l_oimg[i].setPixmap(pix)
            l_left.addWidget(b_iimgl[i])
            l_left.addWidget(b_iimgrz[i])
            l_left.addWidget(b_iimgri[i])
            l = QHBoxLayout()
            l.addWidget(self._l_iimg[i])
            l.addWidget(self._l_oimg[i])
            b_iimgl[i].clicked.connect(imgl_slots[i])
            b_iimgrz[i].clicked.connect(imgrz_slots[i])
            b_iimgri[i].clicked.connect(imgri_slots[i])
            l_left.addLayout(l)

        # Middle layout
        l_mid = QVBoxLayout()
        self._l_main.addLayout(l_mid)

        l = QHBoxLayout()
        l_mid.addLayout(l)

        b_run_d = QPushButton('Run decoder')
        b_run_d.clicked.connect(self.run_decoder)
        l.addWidget(b_run_d)

        b_run_a = QPushButton('Run animation')
        b_run_a.clicked.connect(self.run_animation)
        l.addWidget(b_run_a)
        l_mid.insertStretch(-1)

        # Build z sliders
        l = QHBoxLayout()
        l_mid.addLayout(l)

        for i in range(self.z_dim):
            if not i % 25:
                lv = QVBoxLayout()
                l.addLayout(lv)
                l.insertStretch(-1)
            h_l = QHBoxLayout()
            lv.addLayout(h_l)
            l_z1 = QLabel('Z: %d,  -3' % i)
            l_z2 = QLabel('Z: %d,  3' % i)
            s_z = QSlider(Qt.Horizontal)
            s_z.setMinimum(-3000)
            s_z.setMaximum(3000)
            s_z.valueChanged.connect(self.get_sliders)
            self.z_sliders.append(s_z)
            h_l.addWidget(l_z1)
            h_l.addWidget(s_z)
            h_l.addWidget(l_z2)

        # Build y checkboxes
        if self.y_dim is not None:
            for i in range(self.y_dim):
                if not i % 20:
                    lv = QVBoxLayout()
                    l.addLayout(lv)
                    l.insertStretch(-1)
                c_y = QCheckBox()
                c_y.setText('y %d' % i)
                c_y.stateChanged.connect(self.get_y)
                lv.addWidget(c_y)
                self.y_checks.append(c_y)
        l.insertStretch(-1)

        # Right sidebar
        l_right = QVBoxLayout()
        self._l_main.addLayout(l_right)

        self._l_anim.setPixmap(pix)
        l_right.addWidget(QLabel('Animation', self))
        l_right.addWidget(self._l_anim)
        l_right.insertStretch(-1)

    def get_sliders(self, v):
        for i, z_s in enumerate(self.z_sliders):
            self.img_z[self.curr_index][0][i] = z_s.value() / 1000.

        self.run_decoder(self.curr_index)

    def set_sliders(self):
        z = self.img_z[self.curr_index][0]
        if z is None:
            return
        for i, z_s in enumerate(self.z_sliders):
            z_s.blockSignals(True)
            z_s.setValue(float(z[i]) * 1000)
            z_s.blockSignals(False)

    def get_y(self, b):
        for i, c_y in enumerate(self.y_checks):
            if c_y.isChecked():
                self.img_y[self.curr_index][0][i] = 1
            else:
                self.img_y[self.curr_index][0][i] = 0
        self.run_decoder(self.curr_index)

    def set_y(self):
        y = self.img_y[self.curr_index][0]
        if y is None:
            return
        for i, c_y in enumerate(self.y_checks):
            c_y.blockSignals(True)
            c_y.setChecked(bool(y[i]))
            c_y.blockSignals(False)

    def load_image(self, index, clicked):
        f_name = QFileDialog.getOpenFileName(self, 'Open Image', '',
                                             'Image files (*.png)')[0]
        if f_name is '':
            return

        # Get Image
        img = imread(f_name) / 127.5 - 1.0
        img = self.dataset.transform2data(img, alpha=True)

        self.iimg[index] = img

        self.img_z[index] = self.sess.run(self.solver.z_encoded,
                                          feed_dict={self.solver.x_image: img})
        self.img_y[index] = self.dataset.sample_y()

        px = self.toQImage(img)
        self._l_iimg[index].setPixmap(px)

        self.curr_index = index
        self.set_sliders()
        self.set_y()
        self.run_decoder(index)

    def sample_random_z(self, index, clicked):
        z = self.sess.run(self.solver.z_sampled)
        y = self.dataset.sample_y()

        img = self.sess.run(self.solver.x_from_z,
                            feed_dict={
                                self.solver.z_provided: z,
                                self.solver.y_labels: y
                            })

        self.iimg[index] = img
        px = self.toQImage(img)
        self._l_iimg[index].setPixmap(px)

        self.img_z[index] = z
        self.img_y[index] = y
        self.curr_index = index
        self.set_sliders()
        self.set_y()
        self.run_decoder(index)

    def run_animation(self):
        self._anim_steps = 400
        self._anim_step = 0
        dy = (self.img_y[1] - self.img_y[0]) / float((self._anim_steps - 1))
        dz = (self.img_z[1] - self.img_z[0]) / float((self._anim_steps - 1))
        self._anim_y = [
            self.img_y[0] + i * dy for i in range(self._anim_steps)
        ]
        self._anim_z = [
            self.img_z[0] + i * dz for i in range(self._anim_steps)
        ]
        self._t.start()

    def animationStep(self):
        img = self.sess.run(self.solver.x_from_z,
                            feed_dict={
                                self.solver.z_provided:
                                self._anim_z[self._anim_step],
                                self.solver.y_labels:
                                self._anim_y[self._anim_step]
                            })
        px = self.toQImage(img)
        self._l_anim.setPixmap(px)
        self._anim_step += 1
        if self._anim_step == self._anim_steps:
            self._t.stop()

    def run_decoder(self, index):
        z = self.img_z[index]
        y = self.img_y[index]
        img = self.sess.run(self.solver.x_from_z,
                            feed_dict={
                                self.solver.z_provided: z,
                                self.solver.y_labels: y
                            })[0]

        px = self.toQImage(img)
        self._l_oimg[index].setPixmap(px)

    def sample_random_image(self, index, clicked):
        img, y = self.dataset.sample_image()

        self.iimg[index] = self.dataset.transform2data(img)

        self.img_z[index] = self.sess.run(self.solver.z_encoded,
                                          feed_dict={
                                              self.solver.x_image: img,
                                              self.solver.y_labels: y
                                          })
        self.img_y[index] = y

        px = self.toQImage(img)
        self._l_iimg[index].setPixmap(px)

        self.curr_index = index
        self.set_sliders()
        self.set_y()
        self.run_decoder(index)

    def toQImage(self, image):
        if 'Celeb' in self.dataset.name:
            mode = 'RGB'
        else:
            mode = 'L'

        img = self.dataset.transform2display(image)
        pilimage = Image.fromarray(np.uint8(img * 255), mode)
        imageq = ImageQt.ImageQt(pilimage)
        qimage = QImage(imageq)
        pix = QPixmap(qimage)

        pix = pix.scaled(2 * self.image_size, 2 * self.image_size)

        return pix