Random Number Generator

This Python script is a PyQt5-based GUI application that interacts with the Australian National University Quantum Random Numbers API to generate random numbers and sort lists. The interface allows users to specify a range and retrieve quantum-generated numbers, add custom items to a list, and shuffle them based on random weights. It features error handling, a dark-themed UI, and API integration for truly random number generation.


import requests
from PyQt5 import QtCore, QtGui, QtWidgets
from PyQt5.QtWidgets import QMessageBox, QInputDialog
from qt_material import apply_stylesheet
from PyQt5.QtGui import QFont
from ui import Ui_Dialog


class Mainwindow(QtWidgets.QDialog, Ui_Dialog):
    def __init__(self):
        super().__init__()
        self.setupUi(self)
        self.pushButton.clicked.connect(self.random_number)
        self.pushButton_2.clicked.connect(self.random_list)
        self.pushButton_3.clicked.connect(self.generate_list)
        self.pushButton_4.clicked.connect(self.clear_list)

    def show_error(self, e):
        QMessageBox.critical(self, "Error", f"Error: {e}")

    def clear_list(self):
        self.listWidget.clear()

    def random_number(self):
        try:
            print("clicked")
            leng_ = self.spinBox.value()
            min_ = int(self.spinBox_2.value())
            max_ = int(self.spinBox_3.value())
            if min_ >= max_:
                raise ValueError("Minimum value cannot be equal or lager than maximum")
            data = self.request(leng_)
            result = []
            for i in data:
                scaled_number = int(min_ + (i / 65535) * (max_ - min_))
                result.append(scaled_number)
            print(result)
            texts = ', '.join(map(str, result))
            self.show_copyable_input_message(texts)

        except Exception as e:
            self.show_error(e)

    def random_list(self):
        print("clicked")
        try:
            item_added = self.lineEdit.text()
            if not item_added:
                raise ValueError("Nothing to add")
            self.listWidget.addItem(item_added)
            self.lineEdit.clear()

        except Exception as e:
            self.show_error(e)

    def generate_list(self):
        print("clicked")
        try:
            list_size = self.listWidget.count()
            if list_size == 0:
                raise ValueError("The list can not be empty")
            weight_nlist = self.request(int(list_size))
            dict_distri = {}
            for i in range(list_size):
                item = self.listWidget.item(i)
                dict_distri[int(weight_nlist[i])] = f'{item.text()}'
            weight_nlist.sort()
            result = ''
            if len(weight_nlist) != list_size:
                raise ValueError("An error occurred")
            for ele in weight_nlist:
                result += f"{dict_distri[int(ele)]} "

            self.show_copyable_input_message(result)

        except Exception as e:
            self.show_error(e)

    def show_copyable_input_message(self, text):
        QInputDialog.getText(None, "Reply", "Number requested:", text=text)

    def request(self, size):  # length->
        QRN_URL = "https://api.quantumnumbers.anu.edu.au/"
        QRN_KEY = "Cmhlww4xHsaSlegqCigZB8FJIAkTaZpM75qBjqYV"  # API_key
        DTYPE = "uint16"  # uint8: 0-255 整数, uint16: 0-65535 整数
        LENGTH = int(size)  # between 1--1024
        BLOCKSIZE = 1  # between 1--10. Only needed for hex8 and hex16

        params = {"length": LENGTH, "type": DTYPE, "size": BLOCKSIZE}
        headers = {"x-api-key": QRN_KEY}

        response = requests.get(QRN_URL, headers=headers, params=params)

        if response.status_code == 200:
            js = response.json()

            if js["success"]:
                # print(js["data"])
                data_list = js["data"]
                return data_list
            else:
                print(js["message"])

        else:
            print(f"Got an unexpected status-code: {response.status_code}")
            print(response.text)


if __name__ == "__main__":
    import sys

    app = QtWidgets.QApplication(sys.argv)

    font = QFont("Arial", 20)  # 全局字体Arial,字号14
    app.setFont(font)
    apply_stylesheet(app, theme='dark_teal.xml')
    mainWindow = Mainwindow()
    mainWindow.showNormal()
    sys.exit(app.exec_())

This is the UI


from PyQt5 import QtCore, QtGui, QtWidgets
class Ui_Dialog(object):
    def setupUi(self, Dialog):
        Dialog.setObjectName("Dialog")
        Dialog.resize(1322, 725)
        sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.MinimumExpanding, QtWidgets.QSizePolicy.MinimumExpanding)
        sizePolicy.setHorizontalStretch(0)
        sizePolicy.setVerticalStretch(0)
        sizePolicy.setHeightForWidth(Dialog.sizePolicy().hasHeightForWidth())
        Dialog.setSizePolicy(sizePolicy)
        self.gridLayout = QtWidgets.QGridLayout(Dialog)
        self.gridLayout.setObjectName("gridLayout")
        self.tabWidget = QtWidgets.QTabWidget(Dialog)
        sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Expanding)
        sizePolicy.setHorizontalStretch(0)
        sizePolicy.setVerticalStretch(0)
        sizePolicy.setHeightForWidth(self.tabWidget.sizePolicy().hasHeightForWidth())
        self.tabWidget.setSizePolicy(sizePolicy)
        font = QtGui.QFont()
        font.setPointSize(14)
        self.tabWidget.setFont(font)
        self.tabWidget.setObjectName("tabWidget")
        self.tab = QtWidgets.QWidget()
        self.tab.setObjectName("tab")
        self.gridLayout_4 = QtWidgets.QGridLayout(self.tab)
        self.gridLayout_4.setObjectName("gridLayout_4")
        self.gridLayout_2 = QtWidgets.QGridLayout()
        self.gridLayout_2.setObjectName("gridLayout_2")
        self.label = QtWidgets.QLabel(self.tab)
        sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.MinimumExpanding, QtWidgets.QSizePolicy.MinimumExpanding)
        sizePolicy.setHorizontalStretch(0)
        sizePolicy.setVerticalStretch(0)
        sizePolicy.setHeightForWidth(self.label.sizePolicy().hasHeightForWidth())
        self.label.setSizePolicy(sizePolicy)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.label.setFont(font)
        self.label.setObjectName("label")
        self.gridLayout_2.addWidget(self.label, 0, 0, 1, 1)
        self.spinBox = QtWidgets.QSpinBox(self.tab)
        sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.MinimumExpanding, QtWidgets.QSizePolicy.MinimumExpanding)
        sizePolicy.setHorizontalStretch(0)
        sizePolicy.setVerticalStretch(0)
        sizePolicy.setHeightForWidth(self.spinBox.sizePolicy().hasHeightForWidth())
        self.spinBox.setSizePolicy(sizePolicy)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.spinBox.setFont(font)
        self.spinBox.setMinimum(1)
        self.spinBox.setMaximum(1024)
        self.spinBox.setObjectName("spinBox")
        self.gridLayout_2.addWidget(self.spinBox, 0, 1, 1, 1)
        spacerItem = QtWidgets.QSpacerItem(20, 40, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Expanding)
        self.gridLayout_2.addItem(spacerItem, 1, 0, 1, 1)
        spacerItem1 = QtWidgets.QSpacerItem(20, 40, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Expanding)
        self.gridLayout_2.addItem(spacerItem1, 2, 0, 1, 1)
        spacerItem2 = QtWidgets.QSpacerItem(20, 40, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Expanding)
        self.gridLayout_2.addItem(spacerItem2, 3, 0, 1, 1)
        self.label_2 = QtWidgets.QLabel(self.tab)
        sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.MinimumExpanding, QtWidgets.QSizePolicy.MinimumExpanding)
        sizePolicy.setHorizontalStretch(0)
        sizePolicy.setVerticalStretch(0)
        sizePolicy.setHeightForWidth(self.label_2.sizePolicy().hasHeightForWidth())
        self.label_2.setSizePolicy(sizePolicy)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.label_2.setFont(font)
        self.label_2.setObjectName("label_2")
        self.gridLayout_2.addWidget(self.label_2, 4, 0, 1, 1)
        self.spinBox_2 = QtWidgets.QSpinBox(self.tab)
        sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Expanding)
        sizePolicy.setHorizontalStretch(0)
        sizePolicy.setVerticalStretch(0)
        sizePolicy.setHeightForWidth(self.spinBox_2.sizePolicy().hasHeightForWidth())
        self.spinBox_2.setSizePolicy(sizePolicy)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.spinBox_2.setFont(font)
        self.spinBox_2.setMinimum(0)
        self.spinBox_2.setMaximum(65532)
        self.spinBox_2.setObjectName("spinBox_2")
        self.gridLayout_2.addWidget(self.spinBox_2, 4, 1, 1, 1)
        spacerItem3 = QtWidgets.QSpacerItem(20, 40, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Expanding)
        self.gridLayout_2.addItem(spacerItem3, 5, 0, 1, 1)
        spacerItem4 = QtWidgets.QSpacerItem(20, 40, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Expanding)
        self.gridLayout_2.addItem(spacerItem4, 6, 0, 1, 1)
        spacerItem5 = QtWidgets.QSpacerItem(20, 40, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Expanding)
        self.gridLayout_2.addItem(spacerItem5, 7, 0, 1, 1)
        self.label_3 = QtWidgets.QLabel(self.tab)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.label_3.setFont(font)
        self.label_3.setObjectName("label_3")
        self.gridLayout_2.addWidget(self.label_3, 8, 0, 1, 1)
        self.spinBox_3 = QtWidgets.QSpinBox(self.tab)
        sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Expanding)
        sizePolicy.setHorizontalStretch(0)
        sizePolicy.setVerticalStretch(0)
        sizePolicy.setHeightForWidth(self.spinBox_3.sizePolicy().hasHeightForWidth())
        self.spinBox_3.setSizePolicy(sizePolicy)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.spinBox_3.setFont(font)
        self.spinBox_3.setMinimum(2)
        self.spinBox_3.setMaximum(65535)
        self.spinBox_3.setObjectName("spinBox_3")
        self.gridLayout_2.addWidget(self.spinBox_3, 8, 1, 1, 1)
        self.gridLayout_4.addLayout(self.gridLayout_2, 0, 0, 1, 1)
        self.gridLayout_3 = QtWidgets.QGridLayout()
        self.gridLayout_3.setObjectName("gridLayout_3")
        spacerItem6 = QtWidgets.QSpacerItem(20, 40, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Expanding)
        self.gridLayout_3.addItem(spacerItem6, 5, 0, 1, 1)
        spacerItem7 = QtWidgets.QSpacerItem(20, 40, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Expanding)
        self.gridLayout_3.addItem(spacerItem7, 6, 0, 1, 1)
        spacerItem8 = QtWidgets.QSpacerItem(20, 40, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Expanding)
        self.gridLayout_3.addItem(spacerItem8, 0, 0, 1, 1)
        spacerItem9 = QtWidgets.QSpacerItem(40, 20, QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Minimum)
        self.gridLayout_3.addItem(spacerItem9, 3, 0, 1, 1)
        spacerItem10 = QtWidgets.QSpacerItem(20, 40, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Expanding)
        self.gridLayout_3.addItem(spacerItem10, 2, 0, 1, 1)
        spacerItem11 = QtWidgets.QSpacerItem(20, 40, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Expanding)
        self.gridLayout_3.addItem(spacerItem11, 4, 0, 1, 1)
        spacerItem12 = QtWidgets.QSpacerItem(40, 20, QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Minimum)
        self.gridLayout_3.addItem(spacerItem12, 3, 2, 1, 1)
        spacerItem13 = QtWidgets.QSpacerItem(20, 40, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Expanding)
        self.gridLayout_3.addItem(spacerItem13, 1, 0, 1, 1)
        self.pushButton = QtWidgets.QPushButton(self.tab)
        sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Expanding)
        sizePolicy.setHorizontalStretch(0)
        sizePolicy.setVerticalStretch(0)
        sizePolicy.setHeightForWidth(self.pushButton.sizePolicy().hasHeightForWidth())
        self.pushButton.setSizePolicy(sizePolicy)
        font = QtGui.QFont()
        font.setPointSize(26)
        self.pushButton.setFont(font)
        self.pushButton.setObjectName("pushButton")
        self.gridLayout_3.addWidget(self.pushButton, 3, 1, 1, 1)
        self.gridLayout_4.addLayout(self.gridLayout_3, 0, 1, 1, 1)
        self.tabWidget.addTab(self.tab, "")
        self.tab_2 = QtWidgets.QWidget()
        self.tab_2.setObjectName("tab_2")
        self.gridLayout_6 = QtWidgets.QGridLayout(self.tab_2)
        self.gridLayout_6.setObjectName("gridLayout_6")
        self.gridLayout_5 = QtWidgets.QGridLayout()
        self.gridLayout_5.setObjectName("gridLayout_5")
        self.listWidget = QtWidgets.QListWidget(self.tab_2)
        sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Expanding)
        sizePolicy.setHorizontalStretch(0)
        sizePolicy.setVerticalStretch(0)
        sizePolicy.setHeightForWidth(self.listWidget.sizePolicy().hasHeightForWidth())
        self.listWidget.setSizePolicy(sizePolicy)
        self.listWidget.setObjectName("listWidget")
        self.gridLayout_5.addWidget(self.listWidget, 0, 0, 1, 1)
        self.gridLayout_6.addLayout(self.gridLayout_5, 0, 0, 1, 1)
        self.gridLayout_7 = QtWidgets.QGridLayout()
        self.gridLayout_7.setObjectName("gridLayout_7")
        self.pushButton_3 = QtWidgets.QPushButton(self.tab_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.pushButton_3.setFont(font)
        self.pushButton_3.setObjectName("pushButton_3")
        self.gridLayout_7.addWidget(self.pushButton_3, 3, 0, 1, 1)
        self.lineEdit = QtWidgets.QLineEdit(self.tab_2)
        sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Fixed)
        sizePolicy.setHorizontalStretch(0)
        sizePolicy.setVerticalStretch(0)
        sizePolicy.setHeightForWidth(self.lineEdit.sizePolicy().hasHeightForWidth())
        self.lineEdit.setSizePolicy(sizePolicy)
        self.lineEdit.setObjectName("lineEdit")
        self.gridLayout_7.addWidget(self.lineEdit, 1, 0, 1, 1)
        self.pushButton_2 = QtWidgets.QPushButton(self.tab_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.pushButton_2.setFont(font)
        self.pushButton_2.setObjectName("pushButton_2")
        self.gridLayout_7.addWidget(self.pushButton_2, 1, 1, 1, 1)
        self.pushButton_4 = QtWidgets.QPushButton(self.tab_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.pushButton_4.setFont(font)
        self.pushButton_4.setObjectName("pushButton_4")
        self.gridLayout_7.addWidget(self.pushButton_4, 4, 0, 1, 1)
        self.gridLayout_6.addLayout(self.gridLayout_7, 0, 1, 1, 1)
        self.tabWidget.addTab(self.tab_2, "")
        self.gridLayout.addWidget(self.tabWidget, 0, 0, 1, 1)

        self.retranslateUi(Dialog)
        self.tabWidget.setCurrentIndex(1)
        QtCore.QMetaObject.connectSlotsByName(Dialog)

    def retranslateUi(self, Dialog):
        _translate = QtCore.QCoreApplication.translate
        Dialog.setWindowTitle(_translate("Dialog", "Dialog"))
        self.label.setText(_translate("Dialog", "Amount of Numbers"))
        self.label_2.setText(_translate("Dialog", "Minimum"))
        self.label_3.setText(_translate("Dialog", "Maximum"))
        self.pushButton.setText(_translate("Dialog", "Generate"))
        self.tabWidget.setTabText(self.tabWidget.indexOf(self.tab), _translate("Dialog", "number"))
        self.pushButton_3.setText(_translate("Dialog", "Generate"))
        self.pushButton_2.setText(_translate("Dialog", "Add"))
        self.pushButton_4.setText(_translate("Dialog", "Clear"))
        self.tabWidget.setTabText(self.tabWidget.indexOf(self.tab_2), _translate("Dialog", "list"))


if __name__ == "__main__":
    import sys
    app = QtWidgets.QApplication(sys.argv)
    Dialog = QtWidgets.QDialog()
    ui = Ui_Dialog()
    ui.setupUi(Dialog)
    Dialog.show()
    sys.exit(app.exec_())

Health Tracker

This PyQt5-based desktop app helps users track nutrition and health metrics. It retrieves food nutritional data via the FatSecret API, allowing users to log daily intake. The app includes BMI and body fat calculators, a health risk assessment tool, and a metabolism estimator to suggest daily calorie needs. Users can store and manage their dietary records in a JSON file.


import sys
import json
import requests
from PyQt5.QtWidgets import QMessageBox, QApplication, QMainWindow
from PyQt5 import QtWidgets
from requests_oauthlib import OAuth1
from GUI import Ui_MainWindow  # 导入UI界面
import re  # 用于正则表达式提取数据
from datetime import datetime
import math

search_result = None

current_date = datetime.now().strftime("%Y-%m-%d")
print(current_date)


class MainWindow(QtWidgets.QMainWindow, Ui_MainWindow):
    def __init__(self):
        super(MainWindow, self).__init__()
        self.setupUi(self)
        self.foodSearch_Search_PushButton.clicked.connect(self.searchButton_Clicked)
        self.FoodSearch_FoodOuput_ListWidget.itemClicked.connect(self.listWidgetItemClicked)
        self.FoodSearch_AddFood_PushButton.clicked.connect(self.addButton_clicked)
        self.pushButton.clicked.connect(self.todayIn_delete)
        self.selfCheck_Confirm_Pushbutton.clicked.connect(self.selfCheck_Confirm_Pushbutton_clicked)
        self.selfCheck_Output_Label.setText('无')
        self.Metabolism_CaloriesIn_Output.setText('0kcal')
        self.Metabolism_Protein_Output.setText('0克')
        self.Metabolism_Carb_Output.setText('0克')
        self.Metabolism_Fat_Output.setText('0克')
        self.pushButton_2.clicked.connect(self.Metabolism)
        self.pushButton_3.clicked.connect(self.BMI)

        self.calories = 0
        self.carbs = 0
        self.protein = 0
        self.fat = 0
        self.clicked_text = ""

    def BMI(self):
        gender = self.BMI_Gender_ComboBox.currentText()
        weight = self.BMI_Weight_SpinBox.value()
        height = self.BMI_Height_SpinBox.value()
        waist = self.spinBox.value()
        butt = self.spinBox_3.value()
        neck = self.spinBox_4.value()
        health = None
        if waist == 0 or height == 1 or weight == 1 or butt == 0 or neck == 0:
            QMessageBox.warning(self, '提示', '请填写正确的身高/体重/腰围/颈围/臀围')
            return
        BMI = float(weight) / ((float(height) / 100) * (float(height) / 100))
        bodyFat = None
        if gender == '男':
            bodyFat = 86.010 * math.log(waist - neck, 10) - 70.041 * math.log(height, 10) + 36.76
            if 6 <= bodyFat < 14:
                health = '偏瘦'
            elif 18 >= bodyFat >= 14:
                health = '正常'
            elif bodyFat < 6:
                health = '竞技状态'
            elif 25 >= bodyFat > 18:
                health = '偏胖'
            elif 25 < bodyFat:
                health = '过胖'
        elif gender == '女':
            bodyFat = 163.205 * math.log(waist + butt - neck, 10) - 97.684 * math.log(height, 10) - 78.387
            if bodyFat <= 12:
                health = '竞技状态'
            elif 20 >= bodyFat >= 14:
                health = '偏瘦'
            elif 24 >= bodyFat > 20:
                health = '正常'
            elif 31 >= bodyFat > 24:
                health = '偏胖'
            elif 31 < bodyFat:
                health = '过胖'

        self.BMI_Bodyfat_Label_2.setText(f'{round(bodyFat, 2)}%')
        self.label_11.setText(f'{health}')

        self.BMI_Output_Label_2.setText(f'{round(BMI, 2)}')
        if BMI < 18.4:
            self.BMI_Heathness_Label_2.setText('过瘦')
        elif 24 > BMI >= 18.4:
            self.BMI_Heathness_Label_2.setText('正常')
        elif 28 > BMI >= 24:
            self.BMI_Heathness_Label_2.setText('过重')
        elif BMI >= 28:
            self.BMI_Heathness_Label_2.setText('肥胖')

    def selfCheck_Confirm_Pushbutton_clicked(self):
        age = self.selfCheck_Age_spinBox.value()
        weight = self.selfCheck_Weight_spinBox.value()
        height = self.selfCheck_Height_spinBox.value()
        waist = self.selfCheck_Waistline_spinBox.value()
        gender = self.selfCheck_Gender_spinBox.currentText()
        history = self.selfCheck_History_spinBox.currentText()
        BMI = round(float(weight) / (float(height) / 100 * float(height) / 100), 2)
        print('体重指数', BMI)
        score = 0
        if age == 0 or height < 50 or waist <= 10 or weight == 0:
            QMessageBox.warning(self, '提醒', '请输入正确的数据')
            return
        if 34 >= age >= 25:  # 年龄
            score += 4
        elif 39 >= age >= 35:
            score += 8
        elif 44 >= age >= 40:
            score += 11
        elif 45 <= age <= 49:
            score += 12
        elif 50 <= age <= 54:
            score += 13
        elif 55 <= age <= 59:
            score += 15
        elif 55 <= age <= 59:
            score += 16
        elif 64 <= age <= 120:
            score += 18

        if 22 <= BMI < 24:  # BMI指数
            score += 1
        elif 24 <= BMI < 30:
            score += 3
        elif BMI >= 30:
            score += 5

        if gender == '男':  # 腰围
            if 75 <= waist < 80:
                score += 3
            elif 80 <= waist < 85:
                score += 5
            elif 85 <= waist < 90:
                score += 7
            elif 90 <= waist < 95:
                score += 8
            elif 95 <= waist:
                score += 10
        elif gender == '女':
            if 70 <= waist < 75:
                score += 3
            elif 75 <= waist < 80:
                score += 5
            elif 80 <= waist < 85:
                score += 7
            elif 85 <= waist < 90:
                score += 8
            elif 90 <= waist:
                score += 10

        if history == '有':
            score += 6

        if gender == '男':
            score += 2

        if score >= 25:
            self.selfCheck_Output_Label.setText('高风险')

        elif score < 25:
            self.selfCheck_Output_Label.setText('低风险')

    def Metabolism(self):
        try:
            age = self.Metabolism_Age_spinBox.value()
            weight = self.Metabolism_Weight_spinBox.value()
            height = self.Metabolism_Height_spinBox.value()
            move = self.Metabolism_Activity_spinBox.currentText()
            goal = self.Metabolism_WeightGoal_spinBox.value()
            gender = self.comboBox.currentText()
            time = self.spinBox_2.value()
            calories_deficit = ((float(goal) - float(weight)) * 7700) / (time * 30)
            calories = 0
            if gender == '男':
                calories = (10.0 * float(weight) + 6.25 * float(height) - 5.0 * float(age) + 5)
            if gender == '女':
                calories = (10.0 * float(weight) + 6.25 * float(height) - 5.0 * float(age) - 161)
            if move == '整日坐着':
                calories *= 1.2
            elif move == '非常轻(办公室工作&学习)':
                calories *= 1.3
            elif move == '轻度运动(站立工作&行走)':
                calories *= 1.55
            elif move == '中度运动(体力工作&每天运动两小时)':
                calories *= 1.65
            elif move == '高强度运动(沉重的体力劳动&运动员)':
                calories *= 1.80
            elif move == '重度运动(每天至少8小时剧烈运动)':
                calories *= 2.0

            calories += calories_deficit
            if calories < 1000:
                QMessageBox.warning(self, '提示', '每日热量过少(<1000kcal/天),请调整增减脂周期长度或目标体重')
                return
            protein = ((calories / 10.0) * 3) / 4
            fat = ((calories / 10.0) * 2) / 9
            carbs = ((calories / 10.0) * 5) / 4
            self.Metabolism_CaloriesIn_Output.setText(f'{round(calories)}kcal')
            self.Metabolism_Protein_Output.setText(f'{round(protein)}g')
            self.Metabolism_Carb_Output.setText(f'{round(carbs)}g')
            self.Metabolism_Fat_Output.setText(f'{round(fat)}g')

        except Exception:
            QMessageBox.critical(self, "Error", f"发生错误: 时间不能为0")
            return

    def allDay_calories(self):
        allDay = [0, 0, 0, 0]  # 总热量,碳,蛋,脂
        try:
            with open('data.json', 'r') as json_file:
                data = json.load(json_file)
        except (FileNotFoundError, json.JSONDecodeError):
            data = {}
            QMessageBox.warning(self, '提示', '无食物记录')
            return

        nutrients_data = data.get(current_date, {})
        if nutrients_data:
            for food, nutrients in data[current_date].items():
                allDay[0] += float(nutrients['calories'])
                allDay[1] += float(nutrients['carbs'])
                allDay[2] += float(nutrients['protein'])
                allDay[3] += float(nutrients['fat'])
            self.today_label_calories.setText(f"{allDay[0]} kcal")
            self.todayIn_label_carb.setText(f"{allDay[1]} g")
            self.todayIn_label_protein.setText(f"{allDay[2]} g")
            self.todayIn_label_fat.setText(f"{allDay[3]} g")
        else:
            self.today_label_calories.setText("0kcal")
            self.todayIn_label_carb.setText("0 g")
            self.todayIn_label_protein.setText("0 g")
            self.todayIn_label_fat.setText("0 g")
            return

    def todayIn_delete(self):
        item = self.listWidget.currentItem()
        if item:
            item_text = item.text()
            colon_index = item_text.find(':')
            food_to_delete = item_text[:colon_index].strip()
            print(food_to_delete)
            try:
                with open('data.json', 'r') as json_file:
                    data = json.load(json_file)
            except (FileNotFoundError, json.JSONDecodeError):
                data = {}
                QMessageBox.warning(self, '提示', '无食物记录')
                return

            if current_date in data and food_to_delete in data[current_date]:
                del data[current_date][food_to_delete]

                if not data[current_date]:
                    del data[current_date]

                with open('data.json', 'w') as json_file:
                    json.dump(data, json_file, indent=4)

                self.updateListWidget_todayIn()
                print(f"已删除 {food_to_delete}")
                self.allDay_calories()  # 更新全天
                QMessageBox.about(self, '成功', f"已删除 {food_to_delete}")

            else:
                QMessageBox.warning(self, '提示', '未找到要删除的食物记录')
        else:
            QMessageBox.warning(self, "Error", "请先选择一个食物项。")

    def addButton_clicked(self):
        print('add button clicked')
        if not self.clicked_text:
            QMessageBox.warning(self, "Error", "请先选择一个食物项。")
            return

        try:
            with open('data.json', 'r') as json_file:
                data = json.load(json_file)
        except (FileNotFoundError, json.JSONDecodeError):
            data = {}

        if current_date not in data:
            data[current_date] = {}

        data[current_date][self.clicked_text] = {
            'calories': self.calories,
            'carbs': self.carbs,
            'protein': self.protein,
            'fat': self.fat
        }

        with open('data.json', 'w') as json_file:
            json.dump(data, json_file, indent=4)
        self.updateListWidget_todayIn()
        print('已保存')
        self.allDay_calories()  # 更新全天
        QMessageBox.about(self, '成功', '已添加')

    def listWidgetItemClicked(self, item):
        global search_result

        self.clicked_text = item.text().strip()
        clicked_nutrients = None
        for food in search_result:
            if food[0] == self.clicked_text:
                clicked_nutrients = food[1]
                break

        if clicked_nutrients:
            foodCalory = clicked_nutrients['calories']
            foodFat = clicked_nutrients['fat']
            foodCarbs = clicked_nutrients['carbs']
            foodProtein = clicked_nutrients['protein']

            size = self.FoodSearch_FoodWeightOut_Label.value()

            self.calories = round((int(foodCalory.replace('kcal', '').strip()) / 100) * size, 2)
            self.carbs = round((float(foodCarbs.replace('g', '').strip()) / 100) * size, 2)
            self.protein = round((float(foodProtein.replace('g', '').strip()) / 100) * size, 2)
            self.fat = round((float(foodFat.replace('g', '').strip()) / 100) * size, 2)

            self.FoodSearch_CaloriesOut_Label.setText(f"{self.calories:.2f}")
            self.FoodSearch_CarbOut_Label.setText(f"{self.carbs:.2f}")
            self.FoodSearch_ProteinOut_Label.setText(f"{self.protein:.2f}")
            self.FoodSearch_FatOut_Label.setText(f"{self.fat:.2f}")
        else:
            QMessageBox.warning(self, "Error", "无法找到点击的食品的营养信息")

    def searchButton_Clicked(self):
        query = self.FoodSearch_FoodEnter_LineEdit.text()
        locale = 'zh_CN'
        consumer_key = '256010f6597b46ff979efee82f0289f5'
        consumer_secret = 'd06a0a60e6874617896a893073bd0fc0'
        api_url = 'https://platform.fatsecret.com/rest/server.api'
        print(query)
        params = {
            'method': 'foods.search',
            'format': 'json',
            'search_expression': query,
            'language': locale,
        }
        auth = OAuth1(
            client_key=consumer_key,
            client_secret=consumer_secret,
            signature_method='HMAC-SHA1',
            signature_type='query'
        )
        response = requests.get(api_url, params=params, auth=auth)
        try:
            response.raise_for_status()
            food_info = response.json()
            print(food_info)
            self.jsonAnalysis(food_info)
        except requests.exceptions.RequestException as e:
            print(f"HTTP请求错误: {e}")
            QMessageBox.critical(self, "Error", f"HTTP请求错误: {e}")

    def jsonAnalysis(self, data):
        global search_result
        if 'foods' in data and 'food' in data['foods']:
            foods = data['foods']['food']
            results = []
            for elements in foods:
                foodName = elements['food_name']
                foodDescr = elements['food_description']
                pattern = r'Per (.+?) - Calories: (\d+\.?\d*)kcal \| Fat: (\d+\.?\d*)g \| Carbs: (\d+\.?\d*)g \| Protein: (\d+\.?\d*)g'
                match = re.search(pattern, foodDescr)
                if match:
                    food_des_sep = {
                        'serving_size': match.group(1),
                        'calories': match.group(2) + 'kcal',
                        'fat': match.group(3) + 'g',
                        'carbs': match.group(4) + 'g',
                        'protein': match.group(5) + 'g'
                    }
                    results.append([foodName, food_des_sep])
                else:
                    print(f"未匹配到描述信息: {foodDescr}")
            search_result = self.data_filtration(results)
            self.updateListWidget(search_result)
        else:
            QMessageBox.warning(self, "No Results", "未找到与输入匹配的食物。")

    def data_filtration(self, results):
        final = [food for food in results if food[1]['serving_size'] == '100g']
        if final:
            return final
        else:
            QMessageBox.warning(self, "No Results", "未找到与输入匹配的食物。")
            return []

    def updateListWidget(self, results):
        self.FoodSearch_FoodOuput_ListWidget.clear()
        for result in results:
            food_name = result[0]
            self.FoodSearch_FoodOuput_ListWidget.addItem(food_name)

    def updateListWidget_todayIn(self):
        self.listWidget.clear()
        try:
            with open('data.json', 'r') as json_file:
                data = json.load(json_file)
        except (FileNotFoundError, json.JSONDecodeError):
            data = {}

        if current_date in data:
            for food, nutrients in data[current_date].items():
                food_info = f"{food}: {nutrients['calories']}kcal"
                self.listWidget.addItem(food_info)


if __name__ == "__main__":
    try:
        app = QtWidgets.QApplication(sys.argv)
        mainWin = MainWindow()
        mainWin.show()
        sys.exit(app.exec_())
    except Exception as e:
        print(f"应用程序错误: {e}")
        sys.exit(1)

This is the UI


from PyQt5 import QtCore, QtGui, QtWidgets

class Ui_MainWindow(object):
    def setupUi(self, MainWindow):
        MainWindow.setObjectName("MainWindow")
        MainWindow.resize(1554, 903)
        self.centralwidget = QtWidgets.QWidget(MainWindow)
        self.centralwidget.setObjectName("centralwidget")
        self.tabWidget = QtWidgets.QTabWidget(self.centralwidget)
        self.tabWidget.setGeometry(QtCore.QRect(100, 30, 1371, 781))
        self.tabWidget.setObjectName("tabWidget")
        self.tab_3 = QtWidgets.QWidget()
        self.tab_3.setObjectName("tab_3")
        self.formLayoutWidget_2 = QtWidgets.QWidget(self.tab_3)
        self.formLayoutWidget_2.setGeometry(QtCore.QRect(40, 10, 1261, 151))
        self.formLayoutWidget_2.setObjectName("formLayoutWidget_2")
        self.formLayout_2 = QtWidgets.QFormLayout(self.formLayoutWidget_2)
        self.formLayout_2.setContentsMargins(0, 0, 0, 0)
        self.formLayout_2.setObjectName("formLayout_2")
        self.foodSearch_Title_Label = QtWidgets.QLabel(self.formLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(24)
        self.foodSearch_Title_Label.setFont(font)
        self.foodSearch_Title_Label.setAlignment(QtCore.Qt.AlignCenter)
        self.foodSearch_Title_Label.setObjectName("foodSearch_Title_Label")
        self.formLayout_2.setWidget(3, QtWidgets.QFormLayout.LabelRole, self.foodSearch_Title_Label)
        self.foodSearch_Search_PushButton = QtWidgets.QPushButton(self.formLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.foodSearch_Search_PushButton.setFont(font)
        self.foodSearch_Search_PushButton.setObjectName("foodSearch_Search_PushButton")
        self.formLayout_2.setWidget(4, QtWidgets.QFormLayout.LabelRole, self.foodSearch_Search_PushButton)
        self.FoodSearch_FoodEnter_LineEdit = QtWidgets.QLineEdit(self.formLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.FoodSearch_FoodEnter_LineEdit.setFont(font)
        self.FoodSearch_FoodEnter_LineEdit.setAlignment(QtCore.Qt.AlignCenter)
        self.FoodSearch_FoodEnter_LineEdit.setObjectName("FoodSearch_FoodEnter_LineEdit")
        self.formLayout_2.setWidget(4, QtWidgets.QFormLayout.FieldRole, self.FoodSearch_FoodEnter_LineEdit)
        self.FoodSearch_FoodOuput_ListWidget = QtWidgets.QListWidget(self.tab_3)
        self.FoodSearch_FoodOuput_ListWidget.setGeometry(QtCore.QRect(40, 170, 811, 511))
        self.FoodSearch_FoodOuput_ListWidget.setObjectName("FoodSearch_FoodOuput_ListWidget")
        self.formLayoutWidget_3 = QtWidgets.QWidget(self.tab_3)
        self.formLayoutWidget_3.setGeometry(QtCore.QRect(860, 260, 440, 339))
        self.formLayoutWidget_3.setObjectName("formLayoutWidget_3")
        self.formLayout_3 = QtWidgets.QFormLayout(self.formLayoutWidget_3)
        self.formLayout_3.setContentsMargins(0, 0, 0, 0)
        self.formLayout_3.setObjectName("formLayout_3")
        self.FoodSearch_FoodWeightOut_Label = QtWidgets.QSpinBox(self.formLayoutWidget_3)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.FoodSearch_FoodWeightOut_Label.setFont(font)
        self.FoodSearch_FoodWeightOut_Label.setMaximum(10000)
        self.FoodSearch_FoodWeightOut_Label.setObjectName("FoodSearch_FoodWeightOut_Label")
        self.formLayout_3.setWidget(0, QtWidgets.QFormLayout.FieldRole, self.FoodSearch_FoodWeightOut_Label)
        self.FoodSearch_Calories_Label = QtWidgets.QLabel(self.formLayoutWidget_3)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.FoodSearch_Calories_Label.setFont(font)
        self.FoodSearch_Calories_Label.setObjectName("FoodSearch_Calories_Label")
        self.formLayout_3.setWidget(1, QtWidgets.QFormLayout.LabelRole, self.FoodSearch_Calories_Label)
        self.FoodSearch_CaloriesOut_Label = QtWidgets.QLabel(self.formLayoutWidget_3)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.FoodSearch_CaloriesOut_Label.setFont(font)
        self.FoodSearch_CaloriesOut_Label.setObjectName("FoodSearch_CaloriesOut_Label")
        self.formLayout_3.setWidget(1, QtWidgets.QFormLayout.FieldRole, self.FoodSearch_CaloriesOut_Label)
        self.FoodSearch_Carb_Label = QtWidgets.QLabel(self.formLayoutWidget_3)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.FoodSearch_Carb_Label.setFont(font)
        self.FoodSearch_Carb_Label.setObjectName("FoodSearch_Carb_Label")
        self.formLayout_3.setWidget(2, QtWidgets.QFormLayout.LabelRole, self.FoodSearch_Carb_Label)
        self.FoodSearch_CarbOut_Label = QtWidgets.QLabel(self.formLayoutWidget_3)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.FoodSearch_CarbOut_Label.setFont(font)
        self.FoodSearch_CarbOut_Label.setObjectName("FoodSearch_CarbOut_Label")
        self.formLayout_3.setWidget(2, QtWidgets.QFormLayout.FieldRole, self.FoodSearch_CarbOut_Label)
        self.FoodSearch_Protein_Label = QtWidgets.QLabel(self.formLayoutWidget_3)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.FoodSearch_Protein_Label.setFont(font)
        self.FoodSearch_Protein_Label.setObjectName("FoodSearch_Protein_Label")
        self.formLayout_3.setWidget(3, QtWidgets.QFormLayout.LabelRole, self.FoodSearch_Protein_Label)
        self.FoodSearch_ProteinOut_Label = QtWidgets.QLabel(self.formLayoutWidget_3)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.FoodSearch_ProteinOut_Label.setFont(font)
        self.FoodSearch_ProteinOut_Label.setObjectName("FoodSearch_ProteinOut_Label")
        self.formLayout_3.setWidget(3, QtWidgets.QFormLayout.FieldRole, self.FoodSearch_ProteinOut_Label)
        self.FoodSearch_Fat_Label = QtWidgets.QLabel(self.formLayoutWidget_3)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.FoodSearch_Fat_Label.setFont(font)
        self.FoodSearch_Fat_Label.setObjectName("FoodSearch_Fat_Label")
        self.formLayout_3.setWidget(4, QtWidgets.QFormLayout.LabelRole, self.FoodSearch_Fat_Label)
        self.FoodSearch_FatOut_Label = QtWidgets.QLabel(self.formLayoutWidget_3)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.FoodSearch_FatOut_Label.setFont(font)
        self.FoodSearch_FatOut_Label.setObjectName("FoodSearch_FatOut_Label")
        self.formLayout_3.setWidget(4, QtWidgets.QFormLayout.FieldRole, self.FoodSearch_FatOut_Label)
        self.FoodSearch_AddFood_PushButton = QtWidgets.QPushButton(self.formLayoutWidget_3)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.FoodSearch_AddFood_PushButton.setFont(font)
        self.FoodSearch_AddFood_PushButton.setObjectName("FoodSearch_AddFood_PushButton")
        self.formLayout_3.setWidget(5, QtWidgets.QFormLayout.LabelRole, self.FoodSearch_AddFood_PushButton)
        self.FoodSearch_FoodWeight_Label = QtWidgets.QLabel(self.formLayoutWidget_3)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.FoodSearch_FoodWeight_Label.setFont(font)
        self.FoodSearch_FoodWeight_Label.setObjectName("FoodSearch_FoodWeight_Label")
        self.formLayout_3.setWidget(0, QtWidgets.QFormLayout.LabelRole, self.FoodSearch_FoodWeight_Label)
        self.tabWidget.addTab(self.tab_3, "")
        self.tab_5 = QtWidgets.QWidget()
        self.tab_5.setObjectName("tab_5")
        self.TodayI_Title = QtWidgets.QLabel(self.tab_5)
        self.TodayI_Title.setGeometry(QtCore.QRect(540, 0, 131, 51))
        font = QtGui.QFont()
        font.setPointSize(20)
        self.TodayI_Title.setFont(font)
        self.TodayI_Title.setObjectName("TodayI_Title")
        self.formLayoutWidget_4 = QtWidgets.QWidget(self.tab_5)
        self.formLayoutWidget_4.setGeometry(QtCore.QRect(50, 460, 1021, 201))
        self.formLayoutWidget_4.setObjectName("formLayoutWidget_4")
        self.formLayout_4 = QtWidgets.QFormLayout(self.formLayoutWidget_4)
        self.formLayout_4.setContentsMargins(0, 0, 0, 0)
        self.formLayout_4.setObjectName("formLayout_4")
        self.label = QtWidgets.QLabel(self.formLayoutWidget_4)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.label.setFont(font)
        self.label.setObjectName("label")
        self.formLayout_4.setWidget(0, QtWidgets.QFormLayout.LabelRole, self.label)
        self.label_2 = QtWidgets.QLabel(self.formLayoutWidget_4)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.label_2.setFont(font)
        self.label_2.setObjectName("label_2")
        self.formLayout_4.setWidget(1, QtWidgets.QFormLayout.LabelRole, self.label_2)
        self.todayIn_label_carb = QtWidgets.QLabel(self.formLayoutWidget_4)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.todayIn_label_carb.setFont(font)
        self.todayIn_label_carb.setAlignment(QtCore.Qt.AlignCenter)
        self.todayIn_label_carb.setObjectName("todayIn_label_carb")
        self.formLayout_4.setWidget(1, QtWidgets.QFormLayout.FieldRole, self.todayIn_label_carb)
        self.label_3 = QtWidgets.QLabel(self.formLayoutWidget_4)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.label_3.setFont(font)
        self.label_3.setObjectName("label_3")
        self.formLayout_4.setWidget(2, QtWidgets.QFormLayout.LabelRole, self.label_3)
        self.todayIn_label_protein = QtWidgets.QLabel(self.formLayoutWidget_4)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.todayIn_label_protein.setFont(font)
        self.todayIn_label_protein.setAlignment(QtCore.Qt.AlignCenter)
        self.todayIn_label_protein.setObjectName("todayIn_label_protein")
        self.formLayout_4.setWidget(2, QtWidgets.QFormLayout.FieldRole, self.todayIn_label_protein)
        self.label_4 = QtWidgets.QLabel(self.formLayoutWidget_4)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.label_4.setFont(font)
        self.label_4.setObjectName("label_4")
        self.formLayout_4.setWidget(3, QtWidgets.QFormLayout.LabelRole, self.label_4)
        self.todayIn_label_fat = QtWidgets.QLabel(self.formLayoutWidget_4)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.todayIn_label_fat.setFont(font)
        self.todayIn_label_fat.setAlignment(QtCore.Qt.AlignCenter)
        self.todayIn_label_fat.setObjectName("todayIn_label_fat")
        self.formLayout_4.setWidget(3, QtWidgets.QFormLayout.FieldRole, self.todayIn_label_fat)
        self.today_label_calories = QtWidgets.QLabel(self.formLayoutWidget_4)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.today_label_calories.setFont(font)
        self.today_label_calories.setAlignment(QtCore.Qt.AlignCenter)
        self.today_label_calories.setObjectName("today_label_calories")
        self.formLayout_4.setWidget(0, QtWidgets.QFormLayout.FieldRole, self.today_label_calories)
        self.listWidget = QtWidgets.QListWidget(self.tab_5)
        self.listWidget.setGeometry(QtCore.QRect(50, 50, 801, 391))
        self.listWidget.setObjectName("listWidget")
        self.pushButton = QtWidgets.QPushButton(self.tab_5)
        self.pushButton.setGeometry(QtCore.QRect(910, 220, 171, 51))
        font = QtGui.QFont()
        font.setPointSize(20)
        self.pushButton.setFont(font)
        self.pushButton.setObjectName("pushButton")
        self.tabWidget.addTab(self.tab_5, "")
        self.tab = QtWidgets.QWidget()
        self.tab.setObjectName("tab")
        self.gridLayoutWidget = QtWidgets.QWidget(self.tab)
        self.gridLayoutWidget.setGeometry(QtCore.QRect(60, 90, 1021, 571))
        self.gridLayoutWidget.setObjectName("gridLayoutWidget")
        self.gridLayout = QtWidgets.QGridLayout(self.gridLayoutWidget)
        self.gridLayout.setContentsMargins(0, 0, 0, 0)
        self.gridLayout.setObjectName("gridLayout")
        self.selfCheck_Age_spinBox = QtWidgets.QSpinBox(self.gridLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.selfCheck_Age_spinBox.setFont(font)
        self.selfCheck_Age_spinBox.setMaximum(120)
        self.selfCheck_Age_spinBox.setObjectName("selfCheck_Age_spinBox")
        self.gridLayout.addWidget(self.selfCheck_Age_spinBox, 0, 1, 1, 1)
        self.selfCheck_Waistline_spinBox = QtWidgets.QSpinBox(self.gridLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.selfCheck_Waistline_spinBox.setFont(font)
        self.selfCheck_Waistline_spinBox.setMinimum(1)
        self.selfCheck_Waistline_spinBox.setMaximum(200)
        self.selfCheck_Waistline_spinBox.setObjectName("selfCheck_Waistline_spinBox")
        self.gridLayout.addWidget(self.selfCheck_Waistline_spinBox, 3, 1, 1, 1)
        self.selfCheck_Gender_spinBox = QtWidgets.QComboBox(self.gridLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.selfCheck_Gender_spinBox.setFont(font)
        self.selfCheck_Gender_spinBox.setObjectName("selfCheck_Gender_spinBox")
        self.selfCheck_Gender_spinBox.addItem("")
        self.selfCheck_Gender_spinBox.addItem("")
        self.gridLayout.addWidget(self.selfCheck_Gender_spinBox, 4, 1, 1, 1)
        self.selfCheck_Weight_label = QtWidgets.QLabel(self.gridLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(18)
        self.selfCheck_Weight_label.setFont(font)
        self.selfCheck_Weight_label.setObjectName("selfCheck_Weight_label")
        self.gridLayout.addWidget(self.selfCheck_Weight_label, 1, 0, 1, 1)
        self.selfCheck_Age_Label = QtWidgets.QLabel(self.gridLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(18)
        self.selfCheck_Age_Label.setFont(font)
        self.selfCheck_Age_Label.setObjectName("selfCheck_Age_Label")
        self.gridLayout.addWidget(self.selfCheck_Age_Label, 0, 0, 1, 1)
        self.selfCheck_History_spinBox = QtWidgets.QComboBox(self.gridLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.selfCheck_History_spinBox.setFont(font)
        self.selfCheck_History_spinBox.setObjectName("selfCheck_History_spinBox")
        self.selfCheck_History_spinBox.addItem("")
        self.selfCheck_History_spinBox.addItem("")
        self.gridLayout.addWidget(self.selfCheck_History_spinBox, 5, 1, 1, 1)
        self.selfCheck_History_Label = QtWidgets.QLabel(self.gridLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(18)
        self.selfCheck_History_Label.setFont(font)
        self.selfCheck_History_Label.setObjectName("selfCheck_History_Label")
        self.gridLayout.addWidget(self.selfCheck_History_Label, 5, 0, 1, 1)
        self.selfCheck_Gender_Label = QtWidgets.QLabel(self.gridLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(18)
        self.selfCheck_Gender_Label.setFont(font)
        self.selfCheck_Gender_Label.setObjectName("selfCheck_Gender_Label")
        self.gridLayout.addWidget(self.selfCheck_Gender_Label, 4, 0, 1, 1)
        self.selfCheck_Heigh_Label = QtWidgets.QLabel(self.gridLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(18)
        self.selfCheck_Heigh_Label.setFont(font)
        self.selfCheck_Heigh_Label.setObjectName("selfCheck_Heigh_Label")
        self.gridLayout.addWidget(self.selfCheck_Heigh_Label, 2, 0, 1, 1)
        self.selfCheck_Height_spinBox = QtWidgets.QSpinBox(self.gridLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.selfCheck_Height_spinBox.setFont(font)
        self.selfCheck_Height_spinBox.setMinimum(1)
        self.selfCheck_Height_spinBox.setMaximum(250)
        self.selfCheck_Height_spinBox.setObjectName("selfCheck_Height_spinBox")
        self.gridLayout.addWidget(self.selfCheck_Height_spinBox, 2, 1, 1, 1)
        self.selfCheck_Waistline_Label = QtWidgets.QLabel(self.gridLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(18)
        self.selfCheck_Waistline_Label.setFont(font)
        self.selfCheck_Waistline_Label.setObjectName("selfCheck_Waistline_Label")
        self.gridLayout.addWidget(self.selfCheck_Waistline_Label, 3, 0, 1, 1)
        self.selfCheck_Weight_spinBox = QtWidgets.QSpinBox(self.gridLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.selfCheck_Weight_spinBox.setFont(font)
        self.selfCheck_Weight_spinBox.setMaximum(200)
        self.selfCheck_Weight_spinBox.setObjectName("selfCheck_Weight_spinBox")
        self.gridLayout.addWidget(self.selfCheck_Weight_spinBox, 1, 1, 1, 1)
        self.selfCheck_Confirm_Pushbutton = QtWidgets.QPushButton(self.gridLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.selfCheck_Confirm_Pushbutton.setFont(font)
        self.selfCheck_Confirm_Pushbutton.setObjectName("selfCheck_Confirm_Pushbutton")
        self.gridLayout.addWidget(self.selfCheck_Confirm_Pushbutton, 6, 0, 1, 1)
        self.selfCheck_Output_Label = QtWidgets.QLabel(self.gridLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.selfCheck_Output_Label.setFont(font)
        self.selfCheck_Output_Label.setObjectName("selfCheck_Output_Label")
        self.gridLayout.addWidget(self.selfCheck_Output_Label, 6, 1, 1, 1)
        self.selfCheck_Title_Label = QtWidgets.QLabel(self.tab)
        self.selfCheck_Title_Label.setGeometry(QtCore.QRect(450, 40, 241, 51))
        font = QtGui.QFont()
        font.setPointSize(24)
        self.selfCheck_Title_Label.setFont(font)
        self.selfCheck_Title_Label.setObjectName("selfCheck_Title_Label")
        self.tabWidget.addTab(self.tab, "")
        self.tab_2 = QtWidgets.QWidget()
        self.tab_2.setObjectName("tab_2")
        self.gridLayoutWidget_2 = QtWidgets.QWidget(self.tab_2)
        self.gridLayoutWidget_2.setGeometry(QtCore.QRect(40, 50, 1281, 681))
        self.gridLayoutWidget_2.setObjectName("gridLayoutWidget_2")
        self.gridLayout_2 = QtWidgets.QGridLayout(self.gridLayoutWidget_2)
        self.gridLayout_2.setContentsMargins(0, 0, 0, 0)
        self.gridLayout_2.setObjectName("gridLayout_2")
        self.pushButton_2 = QtWidgets.QPushButton(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.pushButton_2.setFont(font)
        self.pushButton_2.setObjectName("pushButton_2")
        self.gridLayout_2.addWidget(self.pushButton_2, 7, 0, 1, 1)
        spacerItem = QtWidgets.QSpacerItem(40, 20, QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Minimum)
        self.gridLayout_2.addItem(spacerItem, 7, 1, 1, 1)
        self.Metabolism_Protein_Label = QtWidgets.QLabel(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(18)
        self.Metabolism_Protein_Label.setFont(font)
        self.Metabolism_Protein_Label.setObjectName("Metabolism_Protein_Label")
        self.gridLayout_2.addWidget(self.Metabolism_Protein_Label, 9, 0, 1, 1)
        self.Metabolism_Age_spinBox = QtWidgets.QSpinBox(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.Metabolism_Age_spinBox.setFont(font)
        self.Metabolism_Age_spinBox.setMinimum(1)
        self.Metabolism_Age_spinBox.setMaximum(120)
        self.Metabolism_Age_spinBox.setObjectName("Metabolism_Age_spinBox")
        self.gridLayout_2.addWidget(self.Metabolism_Age_spinBox, 0, 1, 1, 1)
        self.Metabolism_WeightGoal_Label = QtWidgets.QLabel(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(18)
        self.Metabolism_WeightGoal_Label.setFont(font)
        self.Metabolism_WeightGoal_Label.setObjectName("Metabolism_WeightGoal_Label")
        self.gridLayout_2.addWidget(self.Metabolism_WeightGoal_Label, 4, 0, 1, 1)
        self.Metabolism_WeightGoal_spinBox = QtWidgets.QSpinBox(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.Metabolism_WeightGoal_spinBox.setFont(font)
        self.Metabolism_WeightGoal_spinBox.setMinimum(1)
        self.Metabolism_WeightGoal_spinBox.setMaximum(200)
        self.Metabolism_WeightGoal_spinBox.setObjectName("Metabolism_WeightGoal_spinBox")
        self.gridLayout_2.addWidget(self.Metabolism_WeightGoal_spinBox, 4, 1, 1, 1)
        self.Metabolism_Height_spinBox = QtWidgets.QSpinBox(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.Metabolism_Height_spinBox.setFont(font)
        self.Metabolism_Height_spinBox.setMinimum(1)
        self.Metabolism_Height_spinBox.setMaximum(250)
        self.Metabolism_Height_spinBox.setObjectName("Metabolism_Height_spinBox")
        self.gridLayout_2.addWidget(self.Metabolism_Height_spinBox, 3, 1, 1, 1)
        self.Metabolism_Age_Label = QtWidgets.QLabel(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(18)
        self.Metabolism_Age_Label.setFont(font)
        self.Metabolism_Age_Label.setObjectName("Metabolism_Age_Label")
        self.gridLayout_2.addWidget(self.Metabolism_Age_Label, 0, 0, 1, 1)
        self.Metabolism_Weight_Label = QtWidgets.QLabel(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(18)
        self.Metabolism_Weight_Label.setFont(font)
        self.Metabolism_Weight_Label.setObjectName("Metabolism_Weight_Label")
        self.gridLayout_2.addWidget(self.Metabolism_Weight_Label, 1, 0, 1, 1)
        self.Metabolism_Height_Label = QtWidgets.QLabel(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(18)
        self.Metabolism_Height_Label.setFont(font)
        self.Metabolism_Height_Label.setObjectName("Metabolism_Height_Label")
        self.gridLayout_2.addWidget(self.Metabolism_Height_Label, 3, 0, 1, 1)
        self.Metabolism_Weight_spinBox = QtWidgets.QSpinBox(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.Metabolism_Weight_spinBox.setFont(font)
        self.Metabolism_Weight_spinBox.setMinimum(1)
        self.Metabolism_Weight_spinBox.setMaximum(200)
        self.Metabolism_Weight_spinBox.setObjectName("Metabolism_Weight_spinBox")
        self.gridLayout_2.addWidget(self.Metabolism_Weight_spinBox, 1, 1, 1, 1)
        self.Metabolism_Activity_spinBox = QtWidgets.QComboBox(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.Metabolism_Activity_spinBox.setFont(font)
        self.Metabolism_Activity_spinBox.setObjectName("Metabolism_Activity_spinBox")
        self.Metabolism_Activity_spinBox.addItem("")
        self.Metabolism_Activity_spinBox.addItem("")
        self.Metabolism_Activity_spinBox.addItem("")
        self.Metabolism_Activity_spinBox.addItem("")
        self.Metabolism_Activity_spinBox.addItem("")
        self.Metabolism_Activity_spinBox.addItem("")
        self.gridLayout_2.addWidget(self.Metabolism_Activity_spinBox, 2, 1, 1, 1)
        self.Metabolism_Carb_Label = QtWidgets.QLabel(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(18)
        self.Metabolism_Carb_Label.setFont(font)
        self.Metabolism_Carb_Label.setObjectName("Metabolism_Carb_Label")
        self.gridLayout_2.addWidget(self.Metabolism_Carb_Label, 10, 0, 1, 1)
        self.Metabolism_CaloriesIn_Output = QtWidgets.QLabel(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.Metabolism_CaloriesIn_Output.setFont(font)
        self.Metabolism_CaloriesIn_Output.setObjectName("Metabolism_CaloriesIn_Output")
        self.gridLayout_2.addWidget(self.Metabolism_CaloriesIn_Output, 8, 1, 1, 1)
        self.Metabolism_Activity_Label = QtWidgets.QLabel(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(18)
        self.Metabolism_Activity_Label.setFont(font)
        self.Metabolism_Activity_Label.setObjectName("Metabolism_Activity_Label")
        self.gridLayout_2.addWidget(self.Metabolism_Activity_Label, 2, 0, 1, 1)
        self.Metabolism_Fat_Label = QtWidgets.QLabel(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(18)
        self.Metabolism_Fat_Label.setFont(font)
        self.Metabolism_Fat_Label.setObjectName("Metabolism_Fat_Label")
        self.gridLayout_2.addWidget(self.Metabolism_Fat_Label, 11, 0, 1, 1)
        self.Metabolism_caloriesIn_Label = QtWidgets.QLabel(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(18)
        self.Metabolism_caloriesIn_Label.setFont(font)
        self.Metabolism_caloriesIn_Label.setObjectName("Metabolism_caloriesIn_Label")
        self.gridLayout_2.addWidget(self.Metabolism_caloriesIn_Label, 8, 0, 1, 1)
        self.label_5 = QtWidgets.QLabel(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.label_5.setFont(font)
        self.label_5.setObjectName("label_5")
        self.gridLayout_2.addWidget(self.label_5, 5, 0, 1, 1)
        self.Metabolism_Protein_Output = QtWidgets.QLabel(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.Metabolism_Protein_Output.setFont(font)
        self.Metabolism_Protein_Output.setObjectName("Metabolism_Protein_Output")
        self.gridLayout_2.addWidget(self.Metabolism_Protein_Output, 9, 1, 1, 1)
        self.Metabolism_Fat_Output = QtWidgets.QLabel(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.Metabolism_Fat_Output.setFont(font)
        self.Metabolism_Fat_Output.setObjectName("Metabolism_Fat_Output")
        self.gridLayout_2.addWidget(self.Metabolism_Fat_Output, 11, 1, 1, 1)
        self.Metabolism_Carb_Output = QtWidgets.QLabel(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.Metabolism_Carb_Output.setFont(font)
        self.Metabolism_Carb_Output.setObjectName("Metabolism_Carb_Output")
        self.gridLayout_2.addWidget(self.Metabolism_Carb_Output, 10, 1, 1, 1)
        self.comboBox = QtWidgets.QComboBox(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.comboBox.setFont(font)
        self.comboBox.setObjectName("comboBox")
        self.comboBox.addItem("")
        self.comboBox.addItem("")
        self.gridLayout_2.addWidget(self.comboBox, 5, 1, 1, 1)
        self.label_7 = QtWidgets.QLabel(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.label_7.setFont(font)
        self.label_7.setObjectName("label_7")
        self.gridLayout_2.addWidget(self.label_7, 6, 0, 1, 1)
        self.spinBox_2 = QtWidgets.QSpinBox(self.gridLayoutWidget_2)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.spinBox_2.setFont(font)
        self.spinBox_2.setObjectName("spinBox_2")
        self.gridLayout_2.addWidget(self.spinBox_2, 6, 1, 1, 1)
        self.Metabolism_Title_Label = QtWidgets.QLabel(self.tab_2)
        self.Metabolism_Title_Label.setGeometry(QtCore.QRect(570, 0, 241, 51))
        font = QtGui.QFont()
        font.setPointSize(24)
        self.Metabolism_Title_Label.setFont(font)
        self.Metabolism_Title_Label.setObjectName("Metabolism_Title_Label")
        self.tabWidget.addTab(self.tab_2, "")
        self.tab_4 = QtWidgets.QWidget()
        self.tab_4.setObjectName("tab_4")
        self.formLayoutWidget = QtWidgets.QWidget(self.tab_4)
        self.formLayoutWidget.setGeometry(QtCore.QRect(50, 0, 1261, 721))
        self.formLayoutWidget.setObjectName("formLayoutWidget")
        self.formLayout = QtWidgets.QFormLayout(self.formLayoutWidget)
        self.formLayout.setContentsMargins(0, 0, 0, 0)
        self.formLayout.setObjectName("formLayout")
        self.BMI_Title = QtWidgets.QLabel(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(24)
        self.BMI_Title.setFont(font)
        self.BMI_Title.setObjectName("BMI_Title")
        self.formLayout.setWidget(0, QtWidgets.QFormLayout.LabelRole, self.BMI_Title)
        self.BMI_Weight_Label = QtWidgets.QLabel(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.BMI_Weight_Label.setFont(font)
        self.BMI_Weight_Label.setObjectName("BMI_Weight_Label")
        self.formLayout.setWidget(1, QtWidgets.QFormLayout.LabelRole, self.BMI_Weight_Label)
        self.BMI_Weight_SpinBox = QtWidgets.QSpinBox(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.BMI_Weight_SpinBox.setFont(font)
        self.BMI_Weight_SpinBox.setMinimum(1)
        self.BMI_Weight_SpinBox.setMaximum(200)
        self.BMI_Weight_SpinBox.setObjectName("BMI_Weight_SpinBox")
        self.formLayout.setWidget(1, QtWidgets.QFormLayout.FieldRole, self.BMI_Weight_SpinBox)
        self.BMI_Height_Label = QtWidgets.QLabel(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.BMI_Height_Label.setFont(font)
        self.BMI_Height_Label.setObjectName("BMI_Height_Label")
        self.formLayout.setWidget(2, QtWidgets.QFormLayout.LabelRole, self.BMI_Height_Label)
        self.BMI_Height_SpinBox = QtWidgets.QSpinBox(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.BMI_Height_SpinBox.setFont(font)
        self.BMI_Height_SpinBox.setMinimum(1)
        self.BMI_Height_SpinBox.setMaximum(250)
        self.BMI_Height_SpinBox.setObjectName("BMI_Height_SpinBox")
        self.formLayout.setWidget(2, QtWidgets.QFormLayout.FieldRole, self.BMI_Height_SpinBox)
        self.BMI_Gender_Label = QtWidgets.QLabel(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.BMI_Gender_Label.setFont(font)
        self.BMI_Gender_Label.setObjectName("BMI_Gender_Label")
        self.formLayout.setWidget(3, QtWidgets.QFormLayout.LabelRole, self.BMI_Gender_Label)
        self.BMI_Gender_ComboBox = QtWidgets.QComboBox(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.BMI_Gender_ComboBox.setFont(font)
        self.BMI_Gender_ComboBox.setObjectName("BMI_Gender_ComboBox")
        self.BMI_Gender_ComboBox.addItem("")
        self.BMI_Gender_ComboBox.addItem("")
        self.formLayout.setWidget(3, QtWidgets.QFormLayout.FieldRole, self.BMI_Gender_ComboBox)
        self.label_6 = QtWidgets.QLabel(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.label_6.setFont(font)
        self.label_6.setObjectName("label_6")
        self.formLayout.setWidget(4, QtWidgets.QFormLayout.LabelRole, self.label_6)
        self.spinBox = QtWidgets.QSpinBox(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.spinBox.setFont(font)
        self.spinBox.setObjectName("spinBox")
        self.formLayout.setWidget(4, QtWidgets.QFormLayout.FieldRole, self.spinBox)
        self.pushButton_3 = QtWidgets.QPushButton(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.pushButton_3.setFont(font)
        self.pushButton_3.setObjectName("pushButton_3")
        self.formLayout.setWidget(8, QtWidgets.QFormLayout.LabelRole, self.pushButton_3)
        spacerItem1 = QtWidgets.QSpacerItem(40, 20, QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Minimum)
        self.formLayout.setItem(8, QtWidgets.QFormLayout.FieldRole, spacerItem1)
        self.BMI_Output_Label = QtWidgets.QLabel(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.BMI_Output_Label.setFont(font)
        self.BMI_Output_Label.setObjectName("BMI_Output_Label")
        self.formLayout.setWidget(9, QtWidgets.QFormLayout.LabelRole, self.BMI_Output_Label)
        self.BMI_Output_Label_2 = QtWidgets.QLabel(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.BMI_Output_Label_2.setFont(font)
        self.BMI_Output_Label_2.setAlignment(QtCore.Qt.AlignCenter)
        self.BMI_Output_Label_2.setObjectName("BMI_Output_Label_2")
        self.formLayout.setWidget(9, QtWidgets.QFormLayout.FieldRole, self.BMI_Output_Label_2)
        self.BMI_Heathness_Label = QtWidgets.QLabel(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.BMI_Heathness_Label.setFont(font)
        self.BMI_Heathness_Label.setObjectName("BMI_Heathness_Label")
        self.formLayout.setWidget(10, QtWidgets.QFormLayout.LabelRole, self.BMI_Heathness_Label)
        self.BMI_Heathness_Label_2 = QtWidgets.QLabel(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.BMI_Heathness_Label_2.setFont(font)
        self.BMI_Heathness_Label_2.setAlignment(QtCore.Qt.AlignCenter)
        self.BMI_Heathness_Label_2.setObjectName("BMI_Heathness_Label_2")
        self.formLayout.setWidget(10, QtWidgets.QFormLayout.FieldRole, self.BMI_Heathness_Label_2)
        self.BMI_Bodyfat_Label = QtWidgets.QLabel(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.BMI_Bodyfat_Label.setFont(font)
        self.BMI_Bodyfat_Label.setObjectName("BMI_Bodyfat_Label")
        self.formLayout.setWidget(11, QtWidgets.QFormLayout.LabelRole, self.BMI_Bodyfat_Label)
        self.BMI_Bodyfat_Label_2 = QtWidgets.QLabel(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.BMI_Bodyfat_Label_2.setFont(font)
        self.BMI_Bodyfat_Label_2.setAlignment(QtCore.Qt.AlignCenter)
        self.BMI_Bodyfat_Label_2.setObjectName("BMI_Bodyfat_Label_2")
        self.formLayout.setWidget(11, QtWidgets.QFormLayout.FieldRole, self.BMI_Bodyfat_Label_2)
        spacerItem2 = QtWidgets.QSpacerItem(40, 100, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Expanding)
        self.formLayout.setItem(7, QtWidgets.QFormLayout.LabelRole, spacerItem2)
        self.label_8 = QtWidgets.QLabel(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.label_8.setFont(font)
        self.label_8.setObjectName("label_8")
        self.formLayout.setWidget(5, QtWidgets.QFormLayout.LabelRole, self.label_8)
        self.spinBox_3 = QtWidgets.QSpinBox(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.spinBox_3.setFont(font)
        self.spinBox_3.setObjectName("spinBox_3")
        self.formLayout.setWidget(5, QtWidgets.QFormLayout.FieldRole, self.spinBox_3)
        self.label_9 = QtWidgets.QLabel(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.label_9.setFont(font)
        self.label_9.setObjectName("label_9")
        self.formLayout.setWidget(6, QtWidgets.QFormLayout.LabelRole, self.label_9)
        self.spinBox_4 = QtWidgets.QSpinBox(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.spinBox_4.setFont(font)
        self.spinBox_4.setObjectName("spinBox_4")
        self.formLayout.setWidget(6, QtWidgets.QFormLayout.FieldRole, self.spinBox_4)
        self.label_10 = QtWidgets.QLabel(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.label_10.setFont(font)
        self.label_10.setObjectName("label_10")
        self.formLayout.setWidget(12, QtWidgets.QFormLayout.LabelRole, self.label_10)
        self.label_11 = QtWidgets.QLabel(self.formLayoutWidget)
        font = QtGui.QFont()
        font.setPointSize(20)
        self.label_11.setFont(font)
        self.label_11.setAlignment(QtCore.Qt.AlignCenter)
        self.label_11.setObjectName("label_11")
        self.formLayout.setWidget(12, QtWidgets.QFormLayout.FieldRole, self.label_11)
        self.tabWidget.addTab(self.tab_4, "")
        MainWindow.setCentralWidget(self.centralwidget)
        self.menubar = QtWidgets.QMenuBar(MainWindow)
        self.menubar.setGeometry(QtCore.QRect(0, 0, 1554, 26))
        self.menubar.setObjectName("menubar")
        MainWindow.setMenuBar(self.menubar)
        self.statusbar = QtWidgets.QStatusBar(MainWindow)
        self.statusbar.setObjectName("statusbar")
        MainWindow.setStatusBar(self.statusbar)

        self.retranslateUi(MainWindow)
        self.tabWidget.setCurrentIndex(0)
        QtCore.QMetaObject.connectSlotsByName(MainWindow)

    def retranslateUi(self, MainWindow):
        _translate = QtCore.QCoreApplication.translate
        MainWindow.setWindowTitle(_translate("MainWindow", "MainWindow"))
        self.foodSearch_Title_Label.setText(_translate("MainWindow", "食物搜索"))
        self.foodSearch_Search_PushButton.setText(_translate("MainWindow", "搜索"))
        self.FoodSearch_Calories_Label.setText(_translate("MainWindow", "热量(kcal)"))
        self.FoodSearch_CaloriesOut_Label.setText(_translate("MainWindow", "TextLabel"))
        self.FoodSearch_Carb_Label.setText(_translate("MainWindow", "碳水化合物(克)"))
        self.FoodSearch_CarbOut_Label.setText(_translate("MainWindow", "TextLabel"))
        self.FoodSearch_Protein_Label.setText(_translate("MainWindow", "蛋白质(克)"))
        self.FoodSearch_ProteinOut_Label.setText(_translate("MainWindow", "TextLabel"))
        self.FoodSearch_Fat_Label.setText(_translate("MainWindow", "脂肪(克)"))
        self.FoodSearch_FatOut_Label.setText(_translate("MainWindow", "TextLabel"))
        self.FoodSearch_AddFood_PushButton.setText(_translate("MainWindow", "添加"))
        self.FoodSearch_FoodWeight_Label.setText(_translate("MainWindow", "食物重量(克)"))
        self.tabWidget.setTabText(self.tabWidget.indexOf(self.tab_3), _translate("MainWindow", "搜索"))
        self.TodayI_Title.setText(_translate("MainWindow", "今日摄入"))
        self.label.setText(_translate("MainWindow", "热量"))
        self.label_2.setText(_translate("MainWindow", "碳水化合物"))
        self.todayIn_label_carb.setText(_translate("MainWindow", "0g"))
        self.label_3.setText(_translate("MainWindow", "蛋白质"))
        self.todayIn_label_protein.setText(_translate("MainWindow", "0g"))
        self.label_4.setText(_translate("MainWindow", "脂肪"))
        self.todayIn_label_fat.setText(_translate("MainWindow", "0g"))
        self.today_label_calories.setText(_translate("MainWindow", "0kcal"))
        self.pushButton.setText(_translate("MainWindow", "删除"))
        self.tabWidget.setTabText(self.tabWidget.indexOf(self.tab_5), _translate("MainWindow", "今日摄入"))
        self.selfCheck_Gender_spinBox.setItemText(0, _translate("MainWindow", "男"))
        self.selfCheck_Gender_spinBox.setItemText(1, _translate("MainWindow", "女"))
        self.selfCheck_Weight_label.setText(_translate("MainWindow", "体重(kg)"))
        self.selfCheck_Age_Label.setText(_translate("MainWindow", "年龄"))
        self.selfCheck_History_spinBox.setItemText(0, _translate("MainWindow", "有"))
        self.selfCheck_History_spinBox.setItemText(1, _translate("MainWindow", "无"))
        self.selfCheck_History_Label.setText(_translate("MainWindow", "糖尿病家族史"))
        self.selfCheck_Gender_Label.setText(_translate("MainWindow", "性别"))
        self.selfCheck_Heigh_Label.setText(_translate("MainWindow", "身高(cm)"))
        self.selfCheck_Waistline_Label.setText(_translate("MainWindow", "腰围(cm)"))
        self.selfCheck_Confirm_Pushbutton.setText(_translate("MainWindow", "确定"))
        self.selfCheck_Output_Label.setText(_translate("MainWindow", "1111"))
        self.selfCheck_Title_Label.setText(_translate("MainWindow", "糖尿病自测单"))
        self.tabWidget.setTabText(self.tabWidget.indexOf(self.tab), _translate("MainWindow", "自测单"))
        self.pushButton_2.setText(_translate("MainWindow", "计算"))
        self.Metabolism_Protein_Label.setText(_translate("MainWindow", "蛋白质(g)"))
        self.Metabolism_WeightGoal_Label.setText(_translate("MainWindow", "期望体重(kg)"))
        self.Metabolism_Age_Label.setText(_translate("MainWindow", "年龄"))
        self.Metabolism_Weight_Label.setText(_translate("MainWindow", "体重(kg)"))
        self.Metabolism_Height_Label.setText(_translate("MainWindow", "身高(cm)"))
        self.Metabolism_Activity_spinBox.setItemText(0, _translate("MainWindow", "整日坐着"))
        self.Metabolism_Activity_spinBox.setItemText(1, _translate("MainWindow", "非常轻(办公室工作&学习)"))
        self.Metabolism_Activity_spinBox.setItemText(2, _translate("MainWindow", "轻度运动(站立工作&行走)"))
        self.Metabolism_Activity_spinBox.setItemText(3, _translate("MainWindow", "中度运动(体力工作&每天运动两小时)"))
        self.Metabolism_Activity_spinBox.setItemText(4, _translate("MainWindow", "高强度运动(沉重的体力劳动&运动员)"))
        self.Metabolism_Activity_spinBox.setItemText(5, _translate("MainWindow", "重度运动(每天至少8小时剧烈运动)"))
        self.Metabolism_Carb_Label.setText(_translate("MainWindow", "碳水化合物(g)"))
        self.Metabolism_CaloriesIn_Output.setText(_translate("MainWindow", "0kcal"))
        self.Metabolism_Activity_Label.setText(_translate("MainWindow", "运动"))
        self.Metabolism_Fat_Label.setText(_translate("MainWindow", "脂肪(g)"))
        self.Metabolism_caloriesIn_Label.setText(_translate("MainWindow", "热量可摄入"))
        self.label_5.setText(_translate("MainWindow", "性别"))
        self.Metabolism_Protein_Output.setText(_translate("MainWindow", "0克"))
        self.Metabolism_Fat_Output.setText(_translate("MainWindow", "0克"))
        self.Metabolism_Carb_Output.setText(_translate("MainWindow", "0克"))
        self.comboBox.setItemText(0, _translate("MainWindow", "男"))
        self.comboBox.setItemText(1, _translate("MainWindow", "女"))
        self.label_7.setText(_translate("MainWindow", "增/减脂期时长(月)"))
        self.Metabolism_Title_Label.setText(_translate("MainWindow", "每日热量计算"))
        self.tabWidget.setTabText(self.tabWidget.indexOf(self.tab_2), _translate("MainWindow", "热量计算"))
        self.BMI_Title.setText(_translate("MainWindow", "BMI计算器"))
        self.BMI_Weight_Label.setText(_translate("MainWindow", "体重(kg)"))
        self.BMI_Height_Label.setText(_translate("MainWindow", "身高(cm)"))
        self.BMI_Gender_Label.setText(_translate("MainWindow", "性别"))
        self.BMI_Gender_ComboBox.setItemText(0, _translate("MainWindow", "男"))
        self.BMI_Gender_ComboBox.setItemText(1, _translate("MainWindow", "女"))
        self.label_6.setText(_translate("MainWindow", "腰围(cm)"))
        self.pushButton_3.setText(_translate("MainWindow", "计算"))
        self.BMI_Output_Label.setText(_translate("MainWindow", "BMI"))
        self.BMI_Output_Label_2.setText(_translate("MainWindow", "-"))
        self.BMI_Heathness_Label.setText(_translate("MainWindow", "BMI健康度"))
        self.BMI_Heathness_Label_2.setText(_translate("MainWindow", "-"))
        self.BMI_Bodyfat_Label.setText(_translate("MainWindow", "估算体脂率"))
        self.BMI_Bodyfat_Label_2.setText(_translate("MainWindow", "-"))
        self.label_8.setText(_translate("MainWindow", "臀围(cm)"))
        self.label_9.setText(_translate("MainWindow", "颈围(cm)"))
        self.label_10.setText(_translate("MainWindow", "体脂率健康度"))
        self.label_11.setText(_translate("MainWindow", "-"))
        self.tabWidget.setTabText(self.tabWidget.indexOf(self.tab_4), _translate("MainWindow", "BMI计算器"))

DNS Viewer

This code defines a PyQt5 application that captures, logs, and analyzes DNS traffic in real time. It uses a separate thread to run a network packet capture process with PyShark, filtering for UDP traffic on port 53 on the "Wi-Fi" interface. When a DNS packet is detected, the program extracts relevant information such as the query name, query type, source IP, destination IP, and a timestamp, then records these details into an SQLite database. The main window of the GUI provides controls to start and stop the capture process, and a timer periodically refreshes a list widget with new records from the database. Additionally, the application includes an analysis component that retrieves all DNS query names from the database, counts their occurrences using a counter, and visualizes the results as a pie chart with matplotlib.


import datetime
import sqlite3
import sys
from PyQt5.QtCore import QThread, QTimer
import pyshark as py
from PyQt5.QtWidgets import QApplication, QMainWindow, QListWidgetItem
from ui import Ui_MainWindow
import asyncio
from collections import Counter
import matplotlib.pyplot as plt

INTERFACE = "Wi-Fi"  # 网络接口

# 创建或连接数据库
conn = sqlite3.connect("dns.db")
cursor = conn.cursor()
cursor.execute('''
    CREATE TABLE IF NOT EXISTS dns_requests (
        id INTEGER PRIMARY KEY AUTOINCREMENT,
        timestamp TEXT,
        source_ip TEXT,
        destination_ip TEXT,
        query_name TEXT,
        query_type TEXT
    )
''')
cursor.execute("DELETE FROM dns_requests")
conn.commit()


class MainWindow(QMainWindow, Ui_MainWindow):
    def __init__(self):
        super(MainWindow, self).__init__()
        self.setupUi(self)

        # 初始化定时器
        self.timer = QTimer(self)
        self.timer.timeout.connect(self.update_list)

        # 绑定按钮
        self.pushButton_2.clicked.connect(self.startCapture)  # 开始捕获
        self.pushButton.clicked.connect(self.stopCapture)  # 停止捕获
        self.dnsThread = DNS_record()  # 创建 DNS 捕获线程
        self.lastId = 0  # 用于记录最新的 ID

        self.pushButton_3.clicked.connect(self.make_graphs)

        self.anal = analyse()

    def startCapture(self):  # 开始捕获
        print("Start Capture")
        if not self.dnsThread.isRunning():
            self.dnsThread.start()
            self.timer.start(500)  # 每500毫秒更新一次

    def stopCapture(self):  # 停止捕获
        print("Stop Capture")
        if self.dnsThread.isRunning():
            self.dnsThread.stop()  # 停止捕获线程
            self.dnsThread.wait()  # 等待线程结束
        self.timer.stop()  # 停止定时器

    def update_list(self):
        cursor.execute("SELECT id, timestamp, source_ip, destination_ip, query_name, query_type FROM dns_requests "
                       "WHERE id > ? ORDER BY id ASC", (self.lastId,))
        rows = cursor.fetchall()

        for row in rows:
            recordId, timestamp, source_ip, destination_ip, query_name, query_type = row
            displayText = f"time: {timestamp} | {query_name} {query_type} | {source_ip} -> {destination_ip}"
            item = QListWidgetItem(displayText)
            self.listWidget.addItem(item)
            self.lastId = recordId  # 更新最后显示的记录 ID

    def make_graphs(self):
        print("analyse started")
        self.anal.general()


class DNS_record(QThread):  # DNS 捕获线程
    def __init__(self):
        super().__init__()
        self.running = False
        self.conn = None
        self.cursor = None
        self.capture = None

    def run(self):  # 重写 QThread 的 run 方法
        self.conn = sqlite3.connect("dns.db")  # 在线程中初始化数据库连接
        self.cursor = self.conn.cursor()
        self.dns_traffic()

    def insert_dns_request(self, timestamp, source_ip, destination_ip, query_name, query_type):  # 插入到数据库
        self.cursor.execute('''
        INSERT INTO dns_requests (timestamp, source_ip, destination_ip, query_name, query_type)
        VALUES(?, ?, ?, ?, ?)
        ''', (timestamp, source_ip, destination_ip, query_name, query_type))
        self.conn.commit()

    def dns_traffic(self):  # 捕获DNS访问
        self.running = True
        print("Capture Started")
        loop = asyncio.new_event_loop()
        asyncio.set_event_loop(loop)
        try:
            self.capture = py.LiveCapture(interface=INTERFACE, bpf_filter="udp port 53",
                                          tshark_path=r"D:\wireshark\tshark.exe")
            for pack in self.capture.sniff_continuously():
                if not self.running:
                    print("Stopping capture")
                    self.capture.close()
                    break
                if hasattr(pack, 'dns'):
                    try:
                        query_name = pack.dns.qry_name
                        timestamp = datetime.datetime.now().strftime("%Y-%m-%d %H:%M:%S")
                        source_ip = pack.ip.src
                        destination_ip = pack.ip.dst
                        query_type = pack.dns.qry_type
                        print(
                            f"{timestamp} - DNS Request: {query_name} (Type: {query_type}) from {source_ip} to "
                            f"{destination_ip}")
                        self.insert_dns_request(timestamp, source_ip, destination_ip, query_name, query_type)
                    except AttributeError:
                        continue
        except Exception as e:
            print("Error in dns_traffic:", e)

        finally:
            loop.close()
            self.conn.close()

    def stop(self):  # 停止捕获
        self.running = False
        if self.capture and self.capture.is_running():
            self.capture.close()  # 关闭捕获会话


class analyse:
    def __init__(self):
        self.conn = sqlite3.connect('dns.db')
        self.cursor = self.conn.cursor()
        self.query_names = None
        self.dns_counts = None

    def fetch_data(self):
        self.cursor.execute('SELECT query_name FROM dns_requests')
        self.query_names = [row[0] for row in self.cursor.fetchall()]

    def counts_visit_times(self):
        self.dns_counts = Counter(self.query_names)
        print("DNS counts:", self.dns_counts)
        return self.dns_counts

    def make_pie_chart(self):
        names, counts = zip(*self.dns_counts.items())

        plt.figure(figsize=(10, 8))
        plt.pie(counts, labels=names, autopct='%1.1f%%', startangle=140)
        plt.title("All Dns visited")
        plt.show()

    def general(self):
        try:
            self.fetch_data()
            self.counts_visit_times()
            if not self.dns_counts:
                return
            self.make_pie_chart()
            self.conn.close()
        except Exception as e:
            print(f"{e}")


if __name__ == "__main__":
    app = QApplication(sys.argv)
    window = MainWindow()
    window.show()
    sys.exit(app.exec_())

This is the UI


from PyQt5 import QtCore, QtGui, QtWidgets
class Ui_MainWindow(object):
    def setupUi(self, MainWindow):
        MainWindow.setObjectName("MainWindow")
        MainWindow.resize(1484, 801)
        self.centralwidget = QtWidgets.QWidget(MainWindow)
        self.centralwidget.setObjectName("centralwidget")
        self.horizontalLayout = QtWidgets.QHBoxLayout(self.centralwidget)
        self.horizontalLayout.setObjectName("horizontalLayout")
        self.listWidget = QtWidgets.QListWidget(self.centralwidget)
        self.listWidget.setObjectName("listWidget")
        self.horizontalLayout.addWidget(self.listWidget)
        self.verticalLayout = QtWidgets.QVBoxLayout()
        self.verticalLayout.setObjectName("verticalLayout")
        spacerItem = QtWidgets.QSpacerItem(20, 40, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Expanding)
        self.verticalLayout.addItem(spacerItem)
        self.pushButton_2 = QtWidgets.QPushButton(self.centralwidget)
        font = QtGui.QFont()
        font.setPointSize(24)
        self.pushButton_2.setFont(font)
        self.pushButton_2.setObjectName("pushButton_2")
        self.verticalLayout.addWidget(self.pushButton_2)
        self.pushButton = QtWidgets.QPushButton(self.centralwidget)
        font = QtGui.QFont()
        font.setPointSize(24)
        self.pushButton.setFont(font)
        self.pushButton.setObjectName("pushButton")
        self.verticalLayout.addWidget(self.pushButton)
        spacerItem1 = QtWidgets.QSpacerItem(20, 40, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Expanding)
        self.verticalLayout.addItem(spacerItem1)
        self.comboBox = QtWidgets.QComboBox(self.centralwidget)
        font = QtGui.QFont()
        font.setPointSize(24)
        self.comboBox.setFont(font)
        self.comboBox.setObjectName("comboBox")
        self.comboBox.addItem("")
        self.comboBox.addItem("")
        self.comboBox.addItem("")
        self.verticalLayout.addWidget(self.comboBox)
        self.pushButton_3 = QtWidgets.QPushButton(self.centralwidget)
        font = QtGui.QFont()
        font.setPointSize(24)
        self.pushButton_3.setFont(font)
        self.pushButton_3.setObjectName("pushButton_3")
        self.verticalLayout.addWidget(self.pushButton_3)
        spacerItem2 = QtWidgets.QSpacerItem(20, 40, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Expanding)
        self.verticalLayout.addItem(spacerItem2)
        self.horizontalLayout.addLayout(self.verticalLayout)
        MainWindow.setCentralWidget(self.centralwidget)
        self.menubar = QtWidgets.QMenuBar(MainWindow)
        self.menubar.setGeometry(QtCore.QRect(0, 0, 1484, 26))
        self.menubar.setObjectName("menubar")
        MainWindow.setMenuBar(self.menubar)
        self.statusbar = QtWidgets.QStatusBar(MainWindow)
        self.statusbar.setObjectName("statusbar")
        MainWindow.setStatusBar(self.statusbar)

        self.retranslateUi(MainWindow)
        QtCore.QMetaObject.connectSlotsByName(MainWindow)

    def retranslateUi(self, MainWindow):
        _translate = QtCore.QCoreApplication.translate
        MainWindow.setWindowTitle(_translate("MainWindow", "MainWindow"))
        self.pushButton_2.setText(_translate("MainWindow", "Start Recording"))
        self.pushButton.setText(_translate("MainWindow", "Stop Recording"))
        self.comboBox.setItemText(0, _translate("MainWindow", "Pie Chart"))
        self.comboBox.setItemText(1, _translate("MainWindow", "Bar Graph"))
        self.comboBox.setItemText(2, _translate("MainWindow", "Histogram"))
        self.pushButton_3.setText(_translate("MainWindow", "Analyse"))

KeySound

This is the very first python programm I wrote after I learned python. As I am looking at what I wrote, it is simple, and not elegant. However this is meaningful to me.


import easygui as g
import pygame
import random
import sys
from pynput import keyboard

pygame.init()
pygame.mixer.init()
screen_info = pygame.display.Info()
sc_width = screen_info.current_w
sc_height = screen_info.current_h
bg_pos_w = (sc_width - 1400) / 2
bg_pos_h = (sc_width - 502) / 2
# set_pos_w = (sc_width - 1000) / 2
# set_pos_h = (sc_height - 1000) / 2
sc = pygame.display.set_mode((sc_width, sc_width))

pygame.mixer.set_num_channels(59)
bg = pygame.image.load("keyboard_pic.png")
sw_pic = pygame.image.load("pause1.png")
heart = pygame.image.load("heart.png")
setting = pygame.image.load("setting.png")
s1 = "dog_1.mp3"
s2 = "dog_2.mp3"
s3 = "linhua_1.mp3"
s4 = "linhua_2.mp3"
s5 = "linhua_3.mp3"
s6 = "linhua_4.mp3"
s7 = "linhua_5.mp3"
s8 = "linhua_6.mp3"
s9 = "linhua_7.mp3"
s10 = "nahida_1.mp3"
s11 = "nahida_2.mp3"
s12 = "nahida_3.mp3"

sound_list = [s1, s2, s3, s4, s5, s6, s7, s8, s9, s10, s11, s12]
l1 = []
for i in sound_list:
    l1.append(pygame.mixer.Sound(i))
c1 = pygame.mixer.Channel(0)
c2 = pygame.mixer.Channel(1)
c3 = pygame.mixer.Channel(2)
c4 = pygame.mixer.Channel(3)
c5 = pygame.mixer.Channel(4)
c6 = pygame.mixer.Channel(5)
c7 = pygame.mixer.Channel(6)
c8 = pygame.mixer.Channel(7)
c9 = pygame.mixer.Channel(8)
c10 = pygame.mixer.Channel(9)
c11 = pygame.mixer.Channel(10)
c12 = pygame.mixer.Channel(11)
c13 = pygame.mixer.Channel(12)
c14 = pygame.mixer.Channel(13)
c15 = pygame.mixer.Channel(14)
c16 = pygame.mixer.Channel(15)
c17 = pygame.mixer.Channel(16)
c18 = pygame.mixer.Channel(17)
c19 = pygame.mixer.Channel(18)
c20 = pygame.mixer.Channel(19)
c21 = pygame.mixer.Channel(20)
c22 = pygame.mixer.Channel(21)
c23 = pygame.mixer.Channel(22)
c24 = pygame.mixer.Channel(23)
c25 = pygame.mixer.Channel(24)
c26 = pygame.mixer.Channel(25)
c27 = pygame.mixer.Channel(26)
c28 = pygame.mixer.Channel(27)
c29 = pygame.mixer.Channel(28)
c30 = pygame.mixer.Channel(29)
c31 = pygame.mixer.Channel(30)
c32 = pygame.mixer.Channel(31)
c33 = pygame.mixer.Channel(32)
c34 = pygame.mixer.Channel(33)
c35 = pygame.mixer.Channel(34)
c36 = pygame.mixer.Channel(35)
c37 = pygame.mixer.Channel(36)
c38 = pygame.mixer.Channel(37)
c39 = pygame.mixer.Channel(38)
c40 = pygame.mixer.Channel(39)
c41 = pygame.mixer.Channel(40)
c42 = pygame.mixer.Channel(41)
c43 = pygame.mixer.Channel(42)
c44 = pygame.mixer.Channel(43)
c45 = pygame.mixer.Channel(44)
c46 = pygame.mixer.Channel(45)
c47 = pygame.mixer.Channel(46)
c48 = pygame.mixer.Channel(47)
c49 = pygame.mixer.Channel(48)
c50 = pygame.mixer.Channel(49)
c51 = pygame.mixer.Channel(50)
c52 = pygame.mixer.Channel(51)
c53 = pygame.mixer.Channel(52)
c54 = pygame.mixer.Channel(53)
c55 = pygame.mixer.Channel(54)
c56 = pygame.mixer.Channel(55)
c57 = pygame.mixer.Channel(56)
c58 = pygame.mixer.Channel(57)
c59 = pygame.mixer.Channel(58)

channel_list = [c1,
                c2,
                c3,
                c4,
                c5,
                c6,
                c7,
                c8,
                c9,
                c10,
                c11,
                c12,
                c13,
                c14,
                c15,
                c16,
                c17,
                c18,
                c19,
                c20,
                c21,
                c22,
                c23,
                c24,
                c25,
                c26,
                c27,
                c28,
                c29,
                c30,
                c31,
                c32,
                c33,
                c34,
                c35,
                c36,
                c37,
                c38,
                c39,
                c40,
                c41,
                c42,
                c43,
                c44,
                c45,
                c46,
                c47,
                c48,
                c49,
                c50,
                c51,
                c52,
                c53,
                c54,
                c55,
                c56,
                c57,
                c58,
                c59, ]

temp = True


def on_press(key):
    num_audio = random.choice(l1)
    current_audio = num_audio
    try:
        if key.char == 'q':
            c1.play(current_audio)
        elif key.char == 'w':
            c2.play(current_audio)
        elif key.char == 'e':
            c3.play(current_audio)
        elif key.char == 'r':
            c4.play(current_audio)
        elif key.char == 't':
            c5.play(current_audio)
        elif key.char == 'y':
            c6.play(current_audio)
        elif key.char == 'u':
            c7.play(current_audio)
        elif key.char == 'i':
            c8.play(current_audio)
        elif key.char == 'o':
            c9.play(current_audio)
        elif key.char == 'p':
            c10.play(current_audio)
        elif key.char == 'a':
            c11.play(current_audio)
        elif key.char == 's':
            c12.play(current_audio)
        elif key.char == 'd':
            c13.play(current_audio)
        elif key.char == 'f':
            c14.play(current_audio)
        elif key.char == 'g':
            c15.play(current_audio)
        elif key.char == 'h':
            c16.play(current_audio)
        elif key.char == 'j':
            c26.play(current_audio)
        elif key.char == 'k':
            c17.play(current_audio)
        elif key.char == 'l':
            c18.play(current_audio)
        elif key.char == 'z':
            c19.play(current_audio)
        elif key.char == 'x':
            c20.play(current_audio)
        elif key.char == 'c':
            c21.play(current_audio)
        elif key.char == 'v':
            c22.play(current_audio)
        elif key.char == 'b':
            c23.play(current_audio)
        elif key.char == 'n':
            c24.play(current_audio)
        elif key.char == 'm':
            c25.play(current_audio)

    except AttributeError:
        pass


def on_release(key):
    pass


switch_pos = ((sc_width / 2) - 105, sc_height + 200)

num_audio = random.choice(l1)
current_audio = num_audio
sc.blit(bg, (bg_pos_w, bg_pos_h))
pygame.display.update()
pos_x = 0
pos_y = 0
red = (255, 0, 0)
listener = keyboard.Listener(on_press=on_press, on_release=on_release)
listener.start()

sw_pause = False

while temp:
    sc.fill((0, 0, 0))
    num_audio = random.choice(l1)
    current_audio = num_audio
    sc.blit(bg, (bg_pos_w, bg_pos_h))
    sc.blit(sw_pic, switch_pos)
    sc.blit(heart, (pos_x - 25, pos_y - 18))
    sc.blit(setting, (sc_width / 2, sc_height + 200))
    # pygame.draw.rect(sc, red, (sc_width/2, 0, 3, sc_height*2))
    set_sw = True
    pygame.display.update()
    for event in pygame.event.get():
        if event.type == pygame.MOUSEMOTION:
            pos_x, pos_y = pygame.mouse.get_pos()
        if event.type == pygame.MOUSEBUTTONDOWN:
            x_1, y_1 = pygame.mouse.get_pos()
            if (sc_width / 2) - 105 < x_1 < (sc_width / 2) - 5 and (sc_height + 200) < y_1 < (sc_height + 300):
                if not sw_pause:
                    for set_v in channel_list:
                        set_v.set_volume(0.0001)
                    sw_pause = True
                else:
                    for set_v in channel_list:
                        set_v.set_volume(0.5)
                    sw_pause = False
            if sc_width / 2 < x_1 < sc_width / 2 + 100 and sc_height + 200 < y_1 < sc_height + 300:
                set_volume = g.enterbox(msg="请输入0-1之间的小数", title="音量设置")
                a = float(set_volume)
                if 0 < a < 1:
                    for set_v in channel_list:
                        set_v.set_volume(a)
                else:
                    continue
        if event.type == pygame.QUIT:
            listener.stop()
            temp = False
            pygame.quit()
            sys.exit()
        if event.type == pygame.KEYDOWN:
            if event.key == pygame.K_ESCAPE:
                listener.stop()
                temp = False
                pygame.quit()
                sys.exit()
            if event.key == pygame.K_SPACE:
                c26.play(current_audio)
            if event.key == pygame.K_TAB:
                c27.play(current_audio)
            if event.mod & pygame.KMOD_ALT:
                c28.play(current_audio)
            if event.mod & pygame.KMOD_CTRL:
                c29.play(current_audio)
            if event.mod & pygame.KMOD_CAPS:
                c30.play(current_audio)
            if event.mod & pygame.KMOD_SHIFT:
                c31.play(current_audio)
            if event.mod & pygame.KMOD_CAPS:
                c32.play(current_audio)
            if event.key == pygame.K_1:
                c33.play(current_audio)
            if event.key == pygame.K_2:
                c34.play(current_audio)
            if event.key == pygame.K_3:
                c35.play(current_audio)
            if event.key == pygame.K_4:
                c36.play(current_audio)
            if event.key == pygame.K_5:
                c37.play(current_audio)
            if event.key == pygame.K_6:
                c38.play(current_audio)
            if event.key == pygame.K_7:
                c39.play(current_audio)
            if event.key == pygame.K_8:
                c40.play(current_audio)
            if event.key == pygame.K_9:
                c41.play(current_audio)
            if event.key == pygame.K_0:
                c42.play(current_audio)
            if event.key == pygame.K_F1:
                c43.play(current_audio)
            if event.key == pygame.K_F2:
                c44.play(current_audio)
            if event.key == pygame.K_F3:
                c45.play(current_audio)
            if event.key == pygame.K_F4:
                c46.play(current_audio)
            if event.key == pygame.K_F5:
                c47.play(current_audio)
            if event.key == pygame.K_F6:
                c48.play(current_audio)
            if event.key == pygame.K_F7:
                c49.play(current_audio)
            if event.key == pygame.K_F8:
                c50.play(current_audio)
            if event.key == pygame.K_F9:
                c51.play(current_audio)
            if event.key == pygame.K_F10:
                c52.play(current_audio)
            if event.key == pygame.K_F11:
                c53.play(current_audio)
            if event.key == pygame.K_F12:
                c54.play(current_audio)
            if event.key == pygame.K_LEFT:
                c55.play(current_audio)
            if event.key == pygame.K_UP:
                c56.play(current_audio)
            if event.key == pygame.K_DOWN:
                c57.play(current_audio)
            if event.key == pygame.K_RIGHT:
                c58.play(current_audio)

Wechat Auto Reply

This is a very simple auto reply script for wechat. It uses uiautomation. I am thinking of writing a real auto reply programm that I can put it on my server. But I need a ai model to generate replies, I am thinking of using deepseek model local, or use chatgpt api.


from uiautomation import WindowControl, MenuControl
from uiautomation import uiautomation
import pyautogui
import time
import pyperclip


def find_reply_control(control, reply_controls):
    if control.ControlType in [uiautomation.ControlType.TextControl, uiautomation.ControlType.DocumentControl]:
        rect = control.BoundingRectangle  # 这可能是包含回复的控件
        x = rect.left  # Y坐标
        name_ = control.Name if control.Name else "无名称"
        if 1500 >= x >= 1400 and name_ != 'You' and name_ != "ChatGPT":
            reply_controls.append({'x': x, 'name': name_})
    for child in control.GetChildren():
        find_reply_control(child, reply_controls)


def print_all_window_names():
    desktop = uiautomation.GetRootControl()
    for window in desktop.GetChildren():
        if window.ControlType == uiautomation.ControlType.WindowControl and not window.IsOffscreen:
            print(window.Name)


def print_control(control, indent=0):
    if control:
        print(' ' * indent, control.ControlType, control.Name)
        for child in control.GetChildren():
            print_control(child, indent + 2)


reply_controls_list = []


def click_Ai(message):
    if len(message) > 500:
        print("消息超过长度限制")
        return
    ai_window = uiautomation.WindowControl(Name="ChatGPT")
    ai_window.SwitchToThisWindow()  # 切换到窗口
    pyautogui.click(1481, 1371)  # 点击输入框坐标
    pyperclip.copy(message)  # 输入文字
    time.sleep(0.5)
    pyautogui.hotkey('ctrl', 'v')
    time.sleep(0.5)
    pyautogui.press('enter')  # 按下 Enter
    time.sleep(10)
    find_reply_control(ai_window, reply_controls_list)
    print(reply_controls_list[len(reply_controls_list) - 1]["name"])
    pyperclip.copy(reply_controls_list[len(reply_controls_list) - 1]["name"])
    wx.SwitchToThisWindow()
    pyautogui.click(450, 1347)
    pyautogui.hotkey('ctrl', 'v')
    pyautogui.press('enter')


wx = WindowControl(
    Name="WeChat"
)

Ai = WindowControl(
    Name="ChatGPT"
)

# target_contacts = input("输入你想要回复的联系人:")

print(wx, '\n', Ai)

# wx.SwitchToThisWindow()
conversation_c = wx.ListControl(Name="会话")
# click_Ai("嗨嗨嗨")
while True:
    new_mess = conversation_c.TextControl(searchDepth=1)
    while not new_mess.Exists(0):
        print("等待中.....")
        time.sleep(0.8)
        pass
    print("查找未读消息", new_mess)
    if new_mess.Name:
        new_mess.Click()
        last_mess = wx.ListControl(Name="消息").GetChildren()[-1].Name
        print("最后一条消息", last_mess)
        click_Ai(last_mess)

# print("寻找会话控件", conversation_c)
# target_conversation = conversation_c.ListItemControl(Name=target_contacts)
# if target_conversation.Exists():
#     target_conversation.Click()
#     print(f"已点击会话:{target_contacts}")
# else:
#     print(f"找不到名为'{target_contacts}'的会话")
# print("联系人", target_conversation)