-1

このyoutubeビデオチュートリアルの関数と同じようにPyQt4で行う方法。

コードはありますが、ボタンの数字を押して数字を書き込む必要がありますQlineEdit-たとえば、この計算機のように:

#!/usr/bin/python
# -*- coding: utf-8 -*-

import sys
from PyQt4 import QtGui, QtCore

class Example(QtGui.QWidget):
    def __init__(self):
        super(Example, self).__init__()
        self.initUI()

    def initUI(self):
        numbers = [ '7', '8', '9',
            '4', '5', '6',
            '1', '2', '3',
                    '*', '0', '#',]
        grid = QtGui.QGridLayout()
        j = 0
        pos = [(0, 0), (0, 1), (0, 2),
                (1, 0), (1, 1), (1, 2),
                (2, 0), (2, 1), (2, 2),
                (3, 0), (3, 1), (3, 2),
              ]
        for i in numbers:
            button = QtGui.QPushButton(i)
            grid.addWidget(button, pos[j][0], pos[j][1])
            j = j + 1
        self.setLayout(grid)   
        self.move(300, 150)
        self.setWindowTitle('Calculator')    
        self.show()

def main():
    app = QtGui.QApplication(sys.argv)
    ex = Example()
    sys.exit(app.exec_())

if __name__ == '__main__':
    main()
4

1 に答える 1

0

ボタンをクリックイベントに接続する必要があります。これが、そのビデオのように機能する更新されたコードです:)

#!/usr/bin/python
# -*- coding: utf-8 -*-

import sys
from functools import partial
from PyQt4 import QtGui, QtCore

class Example(QtGui.QWidget):
    def __init__(self):
        super(Example, self).__init__()
        self.initUI()

    def initUI(self):
        numbers = [ '7', '8', '9',
            '4', '5', '6',
            '1', '2', '3',
                    '*', '0', '#',]
        self.vert_lay = QtGui.QVBoxLayout()
        self.dig_out = QtGui.QLineEdit()
        self.vert_lay.addWidget(self.dig_out)
        grid = QtGui.QGridLayout()
        j = 0
        pos = [(0, 0), (0, 1), (0, 2),
                (1, 0), (1, 1), (1, 2),
                (2, 0), (2, 1), (2, 2),
                (3, 0), (3, 1), (3, 2),
              ]
        for i in numbers:
            button = QtGui.QPushButton(i)
            grid.addWidget(button, pos[j][0], pos[j][1])
            j = j + 1
            button.clicked.connect(partial(self.addNumber,i))

        self.vert_lay.addLayout(grid)
        self.setLayout(self.vert_lay)  

        self.move(300, 150)
        self.setWindowTitle('Calculator')    
        self.show()

    def addNumber(self,num):
        current_txt = self.dig_out.text()
        self.dig_out.setText("%s%s" % (current_txt,num))

def main():
    app = QtGui.QApplication(sys.argv)
    ex = Example()
    sys.exit(app.exec_())

if __name__ == '__main__':
    main()
于 2012-09-06T22:03:27.893 に答える