Compare commits

...

12 Commits

Author SHA1 Message Date
9071eb4322 Обновление списка ошибок 2025-10-16 09:56:36 +03:00
227deaf686 Исправление ошибки диапазона для записи уставок на четвёртой плате. 2025-10-16 09:23:18 +03:00
4ec595d92e Таймаут во время поиска плат снижен до 50 мс. 2025-10-16 09:20:54 +03:00
a9f3d13b5f Обновление отображения значений регистров с HEX на значения порогов.
Для быстроты ввода дробной части новые значения записывать с учётом последующего деления на 1000. (Ввод 500, Запись 0.500)
2025-10-16 09:11:58 +03:00
5ae694d254 Обновление алгоритма для корректного опроса четвёртой платы. 2025-10-16 08:41:49 +03:00
c2a32e3ff5 Добавлено отслеживание ошибок на платах в режиме отладки. 2025-10-16 08:39:30 +03:00
1e3ecd0834 график ацп выведен в отдельное меню и отвязан от конкретной борды 2025-10-10 18:30:40 +03:00
5b3faa798b фиксы графика и статической компиляции 2025-10-09 18:30:27 +03:00
93b4a24b8b добавлена вклада для отладочных функций
note: крашится в static компиле
2025-10-09 12:05:20 +03:00
4ae15d8c01 добавлен локальный статус для каждого мзктэ 2025-10-08 18:47:23 +03:00
190f3337ed убрана остановка опроса при ошибке платы 2025-10-08 11:31:13 +03:00
726d8d24ef новый алг иправлен
+ исправлен нахождение плат с костылем
+ исправлен вылет приложения при опросе 4 платы (из-за того, что в ней 65, а не 85 регистров) сделал чтобы везде было 85, просто отображатся будет 65
2025-10-08 11:11:12 +03:00
22 changed files with 11687 additions and 8822 deletions

View File

@ -5,7 +5,7 @@ QT += serialbus widgets
requires(qtConfig(combobox))
QT += serialport
qtConfig(modbus-serialport): QT += serialport
QT += charts
greaterThan(QT_MAJOR_VERSION, 4): QT += widgets
CONFIG += c++11
@ -25,6 +25,8 @@ DEFINES += QT_DEPRECATED_WARNINGS
#DEFINES += QT_DISABLE_DEPRECATED_BEFORE=0x060000 # disables all the APIs deprecated before Qt 6.0.0
SOURCES += \
adcgraphdialog.cpp \
debugterminaldialog.cpp \
devicesettingsdialog.cpp \
lineringer.cpp \
main.cpp \
@ -35,6 +37,8 @@ SOURCES += \
writeregistermodel.cpp
HEADERS += \
adcgraphdialog.h \
debugterminaldialog.h \
devicesettingsdialog.h \
lineringer.h \
m3kte.h \
@ -44,6 +48,8 @@ HEADERS += \
writeregistermodel.h
FORMS += \
adcgraphdialog.ui \
debugTerminalDialog.ui \
devicesettingsdialog.ui \
lineringer.ui \
m3kte.ui \

View File

@ -0,0 +1,581 @@
#include "adcgraphdialog.h"
#include "ui_adcgraphdialog.h"
#include <QModbusReply>
#include <QDebug>
#include <QMessageBox>
#include <QValueAxis>
#include <QVBoxLayout> // Добавить этот include
#include <QChartView> // Добавить этот include
// Адреса регистров для АЦП
#define REG_ADC_ZERO 555
#define REG_ADC_ONE_VOLT 556
#define REG_STABLE_START 557
#define REG_STABLE_END 558
#define REG_TE_NUMBER 564
#define REG_ADC_BUFFER_START 571
#define REG_ADC_BUFFER_END 1070
AdcGraphDialog::AdcGraphDialog(QModbusClient *modbusDevice, QWidget *parent) :
QDialog(parent),
ui(new Ui::AdcGraphDialog),
m_modbusDevice(modbusDevice),
m_updateTimer(new QTimer(this)),
m_boardId(-1),
m_boardAddress(-1),
m_teNumber(-1),
m_adcZero(0),
m_adcOneVolt(4096),
m_series(new QLineSeries()),
m_chart(new QChart()),
m_stableStartLine(new QLineSeries()),
m_stableEndLine(new QLineSeries()),
m_stableStartIndex(-1),
m_stableEndIndex(-1),
m_startAddress(0),
m_registerCount(100)
{
ui->setupUi(this);
// Настройка основного графика
m_series->setName("АЦП данные");
m_chart->addSeries(m_series);
// Настройка линий стабильного участка
m_stableStartLine->setName("Начало стаб. участка");
m_stableStartLine->setColor(Qt::red);
m_stableStartLine->setPen(QPen(Qt::red, 2, Qt::DashLine));
m_chart->addSeries(m_stableStartLine);
m_stableEndLine->setName("Конец стаб. участка");
m_stableEndLine->setColor(Qt::green);
m_stableEndLine->setPen(QPen(Qt::green, 2, Qt::DashLine));
m_chart->addSeries(m_stableEndLine);
m_chart->setTitle("График АЦП");
m_chart->legend()->setVisible(true);
m_chart->legend()->setAlignment(Qt::AlignTop);
m_axisX = new QValueAxis();
m_axisX->setTitleText("Отсчеты АЦП");
m_axisX->setRange(0, m_registerCount);
m_chart->addAxis(m_axisX, Qt::AlignBottom);
m_series->attachAxis(m_axisX);
m_stableStartLine->attachAxis(m_axisX);
m_stableEndLine->attachAxis(m_axisX);
m_axisY = new QValueAxis();
m_axisY->setTitleText("Напряжение, В");
m_axisY->setRange(-1.3, 1.3);
m_chart->addAxis(m_axisY, Qt::AlignLeft);
m_series->attachAxis(m_axisY);
m_stableStartLine->attachAxis(m_axisY);
m_stableEndLine->attachAxis(m_axisY);
QChartView *chartView = new QChartView(m_chart);
chartView->setRenderHint(QPainter::Antialiasing);
QVBoxLayout *layout = new QVBoxLayout(ui->plotWidget);
layout->addWidget(chartView);
// Подключаем сигналы элементов управления диапазоном
connect(ui->registerCountSpinBox, QOverload<int>::of(&QSpinBox::valueChanged),
this, &AdcGraphDialog::on_registerCountChanged);
connect(ui->rangeApplyButton, &QPushButton::clicked,
this, &AdcGraphDialog::on_rangeApplyClicked);
connect(ui->teNumberSpinBox, QOverload<int>::of(&QSpinBox::valueChanged),
this, &AdcGraphDialog::on_teNumberChanged);
connect(m_updateTimer, &QTimer::timeout, this, &AdcGraphDialog::onUpdateTimer);
connect(ui->closeBtn, &QPushButton::clicked, this, &AdcGraphDialog::on_closeBtn_clicked);
}
AdcGraphDialog::~AdcGraphDialog()
{
stopGraph();
delete ui;
}
void AdcGraphDialog::setModbusDevice(QModbusClient *device)
{
m_modbusDevice = device;
}
void AdcGraphDialog::on_teNumberChanged(int value)
{
if(m_teNumber != value)
setTENumber(m_boardId, value);
}
void AdcGraphDialog::setTENumber(int boardID, int teNumber)
{
if (m_boardAddress == -1) return;
m_teNumber = teNumber;
m_boardId = boardID;
m_boardAddress = m_boardId + 1;
// Обновляем заголовок окна
setWindowTitle(QString("График АЦП - Плата %1, ТЭ %2 (адр %3-%4)")
.arg(m_boardId + 1)
.arg(m_teNumber)
.arg(m_startAddress)
.arg(m_startAddress + m_registerCount - 1));
// Записываем новый номер ТЭ в устройство
if (m_modbusDevice) {
QModbusDataUnit unit(QModbusDataUnit::HoldingRegisters, REG_TE_NUMBER, 1);
unit.setValue(0, teNumber);
if (auto *reply = m_modbusDevice->sendWriteRequest(unit, m_boardAddress)) {
if (!reply->isFinished()) {
connect(reply, &QModbusReply::finished, this, [this, reply, teNumber]() {
if (reply->error() == QModbusDevice::NoError) {
qDebug() << "TE number changed to:" << teNumber;
// Можно обновить данные сразу после смены ТЭ
readAdcDataAndIndices();
} else {
qDebug() << "Error writing TE number:" << reply->errorString();
}
reply->deleteLater();
});
} else {
reply->deleteLater();
}
}
}
ui->teNumberSpinBox->setValue(teNumber);
}
void AdcGraphDialog::readCalibrationValues()
{
if (!m_modbusDevice || m_boardAddress == -1) return;
// Читаем калибровочные значения (регистры 555 и 556)
QModbusDataUnit unit(QModbusDataUnit::InputRegisters, REG_ADC_ZERO, 2);
if (auto *reply = m_modbusDevice->sendReadRequest(unit, m_boardAddress)) {
if (!reply->isFinished()) {
connect(reply, &QModbusReply::finished, this, [this, reply]() {
if (reply->error() == QModbusDevice::NoError) {
const QModbusDataUnit result = reply->result();
if (result.valueCount() >= 2) {
m_adcZero = result.value(0);
m_adcOneVolt = result.value(1);
//qDebug() << "Calibration values - Zero:" << m_adcZero << "1V:" << m_adcOneVolt;
}
} else {
//qDebug() << "Error reading calibration:" << reply->errorString();
}
reply->deleteLater();
});
} else {
reply->deleteLater();
}
}
}
void AdcGraphDialog::readStableIndices()
{
if (!m_modbusDevice || m_boardAddress == -1) return;
// Читаем индексы стабильного участка (регистры 557 и 558)
QModbusDataUnit unit(QModbusDataUnit::InputRegisters, REG_STABLE_START, 2);
if (auto *reply = m_modbusDevice->sendReadRequest(unit, m_boardAddress)) {
if (!reply->isFinished()) {
connect(reply, &QModbusReply::finished, this, &AdcGraphDialog::onStableIndicesReady);
} else {
reply->deleteLater();
}
}
}
void AdcGraphDialog::onStableIndicesReady()
{
auto *reply = qobject_cast<QModbusReply*>(sender());
if (!reply) return;
if (reply->error() == QModbusDevice::NoError) {
const QModbusDataUnit result = reply->result();
if (result.valueCount() >= 2) {
m_stableStartIndex = result.value(0);
m_stableEndIndex = result.value(1);
//qDebug() << "Stable indices updated - Start:" << m_stableStartIndex << "End:" << m_stableEndIndex;
updateStableLines();
// Обновляем статистику с новыми индексами
updateStatisticsWithStableInfo();
}
} else {
//qDebug() << "Error reading stable indices:" << reply->errorString();
}
reply->deleteLater();
}
void AdcGraphDialog::updateStatistics()
{
if (m_series->count() > 0) {
double min = 1000, max = -1000, sum = 0;
for (const QPointF &point : m_series->points()) {
double y = point.y();
if (y < min) min = y;
if (y > max) max = y;
sum += y;
}
double avg = sum / m_series->count();
ui->minLabel->setText(QString::number(min, 'f', 3) + " В");
ui->maxLabel->setText(QString::number(max, 'f', 3) + " В");
ui->avgLabel->setText(QString::number(avg, 'f', 3) + " В");
// Обновляем информацию о стабильном участке
updateStatisticsWithStableInfo();
}
}
void AdcGraphDialog::updateStatisticsWithStableInfo()
{
if (m_series->count() > 0) {
// Используем абсолютные индексы в формате "начальный-конечный"
ui->samplesLabel->setText(
QString("%1 отсч. (адр %2-%3) [стаб: %4-%5]")
.arg(m_series->count())
.arg(m_startAddress)
.arg(m_startAddress + m_registerCount - 1)
.arg(m_stableStartIndex) // Абсолютный начальный индекс
.arg(m_stableEndIndex) // Абсолютный конечный индекс
);
}
}
void AdcGraphDialog::updateStableLines()
{
// Очищаем предыдущие линии
m_stableStartLine->clear();
m_stableEndLine->clear();
// Получаем текущий диапазон оси Y
double yMin = m_axisY->min();
double yMax = m_axisY->max();
// Добавляем вертикальную линию для начала стабильного участка
// Учитываем текущий диапазон отображения
if (m_stableStartIndex >= m_startAddress && m_stableStartIndex < m_startAddress + m_registerCount) {
int relativeStartIndex = m_stableStartIndex - m_startAddress;
m_stableStartLine->append(relativeStartIndex, yMin);
m_stableStartLine->append(relativeStartIndex, yMax);
}
// Добавляем вертикальную линию для конца стабильного участка
if (m_stableEndIndex >= m_startAddress && m_stableEndIndex < m_startAddress + m_registerCount) {
int relativeEndIndex = m_stableEndIndex - m_startAddress;
m_stableEndLine->append(relativeEndIndex, yMin);
m_stableEndLine->append(relativeEndIndex, yMax);
}
}
void AdcGraphDialog::updateGraphRange()
{
// Обновляем диапазон оси X
m_axisX->setRange(0, m_registerCount);
m_axisX->setTitleText(QString("Отсчеты АЦП (%1-%2)").arg(m_startAddress).arg(m_startAddress + m_registerCount - 1));
// Сбрасываем ось Y к разумному диапазону по умолчанию
m_axisY->setRange(-1.2, 1.2);
// Обновляем линии стабильного участка с учетом нового диапазона
updateStableLines();
}
void AdcGraphDialog::readAdcDataAndIndices()
{
if (!m_modbusDevice || m_boardAddress == -1) return;
// Создаем один запрос для данных АЦП + индексов стабильности
// Адреса: данные АЦП (571+), индексы (557-558)
int start = m_startAddress + REG_ADC_BUFFER_START;
int count = m_registerCount;
// Читаем индексы стабильности (557-558) и данные АЦП одним запросом
QModbusDataUnit unit(QModbusDataUnit::InputRegisters, REG_STABLE_START,
count + (start - REG_STABLE_START));
//qDebug() << "Reading combined data from address" << REG_STABLE_START << "count:" << unit.valueCount();
if (auto *reply = m_modbusDevice->sendReadRequest(unit, m_boardAddress)) {
if (!reply->isFinished()) {
connect(reply, &QModbusReply::finished, this, &AdcGraphDialog::onCombinedDataReady);
} else {
reply->deleteLater();
}
} else {
//qDebug() << "Failed to send combined data read request";
}
}
void AdcGraphDialog::onCombinedDataReady()
{
auto *reply = qobject_cast<QModbusReply*>(sender());
if (!reply) return;
if((m_adcZero == 0) || (m_adcOneVolt == 0))
{
readCalibrationValues();
return;
}
if (reply->error() == QModbusDevice::NoError) {
const QModbusDataUnit result = reply->result();
// Обрабатываем индексы стабильности (первые 2 регистра)
if (result.valueCount() >= 2) {
m_stableStartIndex = result.value(0);
m_stableEndIndex = result.value(1);
//qDebug() << "Stable indices - Start:" << m_stableStartIndex << "End:" << m_stableEndIndex;
}
// Обрабатываем данные АЦП (остальные регистры)
int adcDataStartIndex = (m_startAddress + REG_ADC_BUFFER_START) - REG_STABLE_START;
// Очищаем предыдущие данные
m_series->clear();
// Добавляем новые точки и определяем диапазон
double minVoltage = 1000, maxVoltage = -1000;
for (int i = 0; i < m_registerCount; ++i) {
if (adcDataStartIndex + i < result.valueCount()) {
double voltage = convertAdcToVoltage(result.value(adcDataStartIndex + i));
m_series->append(i, voltage);
// Обновляем мин/макс для автоматического масштабирования
if (voltage < minVoltage) minVoltage = voltage;
if (voltage > maxVoltage) maxVoltage = voltage;
}
}
// Обновляем график и статистику
updateYAxisRange(minVoltage, maxVoltage);
updateStableLines();
updateStatistics();
} else {
// qDebug() << "Error reading combined data:" << reply->errorString();
}
reply->deleteLater();
}
void AdcGraphDialog::readAdcBuffer()
{
if (!m_modbusDevice || m_boardAddress == -1) return;
// Читаем выбранный диапазон буфера АЦП
QModbusDataUnit unit(QModbusDataUnit::InputRegisters, m_startAddress+REG_ADC_BUFFER_START, m_registerCount);
// qDebug() << "Reading ADC buffer from address" << m_startAddress << "count:" << m_registerCount;
if (auto *reply = m_modbusDevice->sendReadRequest(unit, m_boardAddress)) {
if (!reply->isFinished()) {
connect(reply, &QModbusReply::finished, this, &AdcGraphDialog::onReadReady);
} else {
reply->deleteLater();
}
} else {
// qDebug() << "Failed to send ADC buffer read request";
}
}
void AdcGraphDialog::startGraph(int boardId, int teNumber)
{
m_boardId = boardId;
m_teNumber = teNumber;
m_boardAddress = boardId + 1;
// Устанавливаем начальное значение в спинбокс
ui->teNumberSpinBox->setValue(teNumber);
setWindowTitle(QString("График АЦП - Плата %1, ТЭ %2 (адр %3-%4)")
.arg(boardId + 1)
.arg(teNumber)
.arg(m_startAddress)
.arg(m_startAddress + m_registerCount - 1));
// Очищаем предыдущие данные
m_series->clear();
m_stableStartLine->clear();
m_stableEndLine->clear();
// Обновляем диапазон графика
updateGraphRange();
readCalibrationValues();
// Записываем начальный номер ТЭ
setTENumber(m_boardAddress, teNumber);
m_updateTimer->start(m_timeout);
}
void AdcGraphDialog::setTimeout(int timeout)
{
m_timeout = timeout;
}
void AdcGraphDialog::stopGraph()
{
m_updateTimer->stop();
m_boardId = -1;
m_boardAddress = -1;
// Отменяем все pending запросы Modbus
if (m_modbusDevice) {
m_modbusDevice->disconnect(this); // Отключаем все сигналы
}
}
void AdcGraphDialog::onUpdateTimer()
{
if (m_boardAddress == -1) return;
// Читаем и буфер АЦП, и индексы стабильности каждый период
readAdcDataAndIndices();
}
void AdcGraphDialog::onReadReady()
{
auto *reply = qobject_cast<QModbusReply*>(sender());
if (!reply) return;
if (reply->error() == QModbusDevice::NoError) {
const QModbusDataUnit result = reply->result();
// Очищаем предыдущие данные
m_series->clear();
// Добавляем новые точки и определяем диапазон
double minVoltage = 1000, maxVoltage = -1000;
for (int i = 0; i < result.valueCount(); ++i) {
double voltage = convertAdcToVoltage(result.value(i));
m_series->append(i, voltage);
// Обновляем мин/макс для автоматического масштабирования
if (voltage < minVoltage) minVoltage = voltage;
if (voltage > maxVoltage) maxVoltage = voltage;
}
// Автоматически настраиваем диапазон оси Y
updateYAxisRange(minVoltage, maxVoltage);
// Обновляем линии стабильного участка
updateStableLines();
// Обновляем статистику
if (m_series->count() > 0) {
double min = 1000, max = -1000, sum = 0;
for (const QPointF &point : m_series->points()) {
double y = point.y();
if (y < min) min = y;
if (y > max) max = y;
sum += y;
}
double avg = sum / m_series->count();
ui->minLabel->setText(QString::number(min, 'f', 3) + " В");
ui->maxLabel->setText(QString::number(max, 'f', 3) + " В");
ui->avgLabel->setText(QString::number(avg, 'f', 3) + " В");
// Обновляем информацию о стабильном участке
updateStatisticsWithStableInfo();
}
} else {
// qDebug() << "Error reading ADC buffer:" << reply->errorString();
}
reply->deleteLater();
}
void AdcGraphDialog::updateYAxisRange(double minVoltage, double maxVoltage)
{
// Добавляем запас 10% к диапазону
double range = maxVoltage - minVoltage;
double margin = range * 0.1;
double yMin = minVoltage - margin;
double yMax = maxVoltage + margin;
// Если диапазон слишком маленький или слишком большой, устанавливаем разумные пределы
// if ((range < 0.1) || ((maxVoltage > 0.5) && (minVoltage < -0.5)))
// {
// yMin = -1.5;
// yMax = 1.5;
// }
// else if(maxVoltage > 0.5) {
// yMin = -0.1;
// yMax = 1.5;
// }
// else if(minVoltage < -0.5)
// {
// yMin = -1.5;
// yMax =0.1;
// }
// else
{
yMin = -1.5;
yMax = 1.5;
}
// Ограничиваем разумными пределами
yMin = qMax(yMin, -5.0); // Не ниже -5В
yMax = qMin(yMax, 5.0); // Не выше 5В
// Устанавливаем новый диапазон
m_axisY->setRange(yMin, yMax);
// Обновляем линии стабильного участка с новым диапазоном
updateStableLines();
}
double AdcGraphDialog::convertAdcToVoltage(quint16 adcValue)
{
if (m_adcOneVolt == m_adcZero) return 0;
return (adcValue - m_adcZero) * 1.1 / (m_adcOneVolt - m_adcZero);
}
void AdcGraphDialog::on_registerCountChanged(int value)
{
m_registerCount = value;
// qDebug() << "Register count changed to:" << value;
}
void AdcGraphDialog::on_rangeApplyClicked()
{
// qDebug() << "Applying new range - Start:" << m_startAddress << "Count:" << m_registerCount;
updateGraphRange();
// Немедленно обновляем данные
if (m_boardAddress != -1) {
readAdcBuffer();
}
}
void AdcGraphDialog::on_closeBtn_clicked()
{
stopGraph();
reject(); // Или accept() в зависимости от логики
}

View File

@ -0,0 +1,97 @@
#ifndef ADCGRAPHDIALOG_H
#define ADCGRAPHDIALOG_H
#include <QDialog>
#include <QTimer>
#include <QVector>
#include <QtCharts>
#include <QModbusClient>
QT_CHARTS_USE_NAMESPACE
// Forward declaration
class QModbusClient;
namespace Ui {
class AdcGraphDialog;
}
class AdcGraphDialog : public QDialog
{
Q_OBJECT
public:
explicit AdcGraphDialog(QModbusClient *modbusDevice, QWidget *parent = nullptr);
~AdcGraphDialog();
void setTENumber(int boardID, int teNumber);
void setModbusDevice(QModbusClient *device);
void startGraph(int boardId, int teNumber);
void stopGraph();
void setTimeout(int timeout);
void readyClose();
signals:
void dialogClosed();
protected:
void closeEvent(QCloseEvent *event) override {
stopGraph();
event->accept();
emit dialogClosed();
QDialog::closeEvent(event);
}
private slots:
void on_teNumberChanged(int value);
void onUpdateTimer();
void onReadReady();
void onStableIndicesReady();
void on_closeBtn_clicked();
void on_registerCountChanged(int value);
void on_rangeApplyClicked();
private:
Ui::AdcGraphDialog *ui;
QModbusClient *m_modbusDevice;
QTimer *m_updateTimer;
int m_boardId;
int m_boardAddress;
int m_teNumber;
int m_timeout;
// Калибровочные значения
double m_adcZero;
double m_adcOneVolt;
// Для отображения стабильного участка
QLineSeries *m_stableStartLine;
QLineSeries *m_stableEndLine;
int m_stableStartIndex;
int m_stableEndIndex;
// Данные графика
QLineSeries *m_series;
QValueAxis *m_axisX;
QValueAxis *m_axisY;
QChart *m_chart; // Добавить указатель на chart
// Управление диапазоном регистров
int m_startAddress;
int m_registerCount;
void updateStatistics();
void readAdcDataAndIndices();
void onCombinedDataReady();
void updateStatisticsWithStableInfo();
void updateYAxisRange(double minVoltage, double maxVoltage);
void setupRangeControls();
void updateGraphRange();
void readStableIndices();
void updateStableLines();
void readCalibrationValues();
void readAdcBuffer();
double convertAdcToVoltage(quint16 adcValue);
};
#endif // ADCGRAPHDIALOG_H

View File

@ -0,0 +1,162 @@
<?xml version="1.0" encoding="UTF-8"?>
<ui version="4.0">
<class>AdcGraphDialog</class>
<widget class="QDialog" name="AdcGraphDialog">
<property name="geometry">
<rect>
<x>0</x>
<y>0</y>
<width>800</width>
<height>600</height>
</rect>
</property>
<property name="windowTitle">
<string>График АЦП</string>
</property>
<layout class="QVBoxLayout" name="verticalLayout">
<item>
<layout class="QHBoxLayout" name="rangeLayout">
<item>
<widget class="QLabel" name="registerCountLabel">
<property name="text">
<string>Количество:</string>
</property>
</widget>
</item>
<item>
<widget class="QSpinBox" name="registerCountSpinBox">
<property name="minimum">
<number>1</number>
</property>
<property name="maximum">
<number>100</number>
</property>
<property name="value">
<number>100</number>
</property>
</widget>
</item>
<item>
<widget class="QPushButton" name="rangeApplyButton">
<property name="text">
<string>Применить</string>
</property>
</widget>
</item>
<item>
<spacer name="horizontalSpacer_2">
<property name="orientation">
<enum>Qt::Horizontal</enum>
</property>
<property name="sizeHint" stdset="0">
<size>
<width>40</width>
<height>20</height>
</size>
</property>
</spacer>
</item>
<item>
<widget class="QLabel" name="label_5">
<property name="text">
<string>Номер ТЭ</string>
</property>
</widget>
</item>
<item>
<widget class="QSpinBox" name="teNumberSpinBox">
<property name="maximum">
<number>85</number>
</property>
</widget>
</item>
</layout>
</item>
<item>
<widget class="QWidget" name="plotWidget" native="true"/>
</item>
<item>
<layout class="QHBoxLayout" name="horizontalLayout">
<item>
<widget class="QLabel" name="label">
<property name="text">
<string>Мин:</string>
</property>
</widget>
</item>
<item>
<widget class="QLabel" name="minLabel">
<property name="text">
<string>0.000 В</string>
</property>
</widget>
</item>
<item>
<widget class="QLabel" name="label_2">
<property name="text">
<string>Макс:</string>
</property>
</widget>
</item>
<item>
<widget class="QLabel" name="maxLabel">
<property name="text">
<string>0.000 В</string>
</property>
</widget>
</item>
<item>
<widget class="QLabel" name="label_3">
<property name="text">
<string>Средн:</string>
</property>
</widget>
</item>
<item>
<widget class="QLabel" name="avgLabel">
<property name="text">
<string>0.000 В</string>
</property>
</widget>
</item>
<item>
<widget class="QLabel" name="label_4">
<property name="text">
<string>Сэмплов:</string>
</property>
</widget>
</item>
<item>
<widget class="QLabel" name="samplesLabel">
<property name="text">
<string>0</string>
</property>
</widget>
</item>
<item>
<spacer name="horizontalSpacer">
<property name="orientation">
<enum>Qt::Horizontal</enum>
</property>
<property name="sizeHint" stdset="0">
<size>
<width>40</width>
<height>20</height>
</size>
</property>
</spacer>
</item>
<item>
<widget class="QPushButton" name="closeBtn">
<property name="text">
<string>Закрыть</string>
</property>
</widget>
</item>
</layout>
</item>
</layout>
</widget>
<resources/>
<connections/>
</ui>

View File

@ -0,0 +1,796 @@
<?xml version="1.0" encoding="UTF-8"?>
<ui version="4.0">
<class>DebugTerminalDialog</class>
<widget class="QDialog" name="DebugTerminalDialog">
<property name="geometry">
<rect>
<x>0</x>
<y>0</y>
<width>1188</width>
<height>578</height>
</rect>
</property>
<property name="windowTitle">
<string>Dialog</string>
</property>
<layout class="QGridLayout" name="gridLayout_4">
<item row="1" column="0" colspan="4">
<widget class="QDialogButtonBox" name="buttonBox">
<property name="orientation">
<enum>Qt::Horizontal</enum>
</property>
<property name="standardButtons">
<set>QDialogButtonBox::Ok|QDialogButtonBox::RestoreDefaults</set>
</property>
</widget>
</item>
<item row="0" column="2">
<widget class="QGroupBox" name="DbgPlate_4">
<property name="title">
<string>Плата 3</string>
</property>
<layout class="QGridLayout" name="gridLayout_25">
<item row="3" column="0">
<widget class="QGroupBox" name="leds_3">
<property name="title">
<string>Тест светодиодов</string>
</property>
<layout class="QGridLayout" name="gridLayout_13">
<item row="0" column="0">
<widget class="QCheckBox" name="ledWorkTestChkBox_3">
<property name="text">
<string>Работа</string>
</property>
</widget>
</item>
<item row="1" column="0">
<widget class="QCheckBox" name="ledWarnTestChkBox_3">
<property name="text">
<string>Предупреждение</string>
</property>
</widget>
</item>
<item row="2" column="0">
<widget class="QCheckBox" name="ledErrTestChkBox_3">
<property name="text">
<string>Авария</string>
</property>
</widget>
</item>
<item row="3" column="0">
<widget class="QCheckBox" name="ledConnectTestChkBox_3">
<property name="text">
<string>Связь</string>
</property>
</widget>
</item>
<item row="0" column="1">
<widget class="QCheckBox" name="ledVH1TestChkBox_3">
<property name="text">
<string>LED VH1 (Зеленый)</string>
</property>
</widget>
</item>
<item row="1" column="1">
<widget class="QCheckBox" name="ledVH2TestChkBox_3">
<property name="text">
<string>LED VH2 (Зеленый)</string>
</property>
</widget>
</item>
<item row="2" column="1">
<widget class="QCheckBox" name="ledVH3TestChkBox_3">
<property name="text">
<string>LED VH3 (Красный)</string>
</property>
</widget>
</item>
</layout>
</widget>
</item>
<item row="1" column="0">
<widget class="QCheckBox" name="enableLedTestChkBox_3">
<property name="text">
<string>Тест ламп и дискретных сигналов</string>
</property>
</widget>
</item>
<item row="0" column="0">
<widget class="QGroupBox" name="groupBox_11">
<property name="title">
<string>Вызов функций</string>
</property>
<layout class="QGridLayout" name="gridLayout_11">
<item row="2" column="0">
<widget class="QCheckBox" name="pollTECallChkBox_3">
<property name="text">
<string>Опрос ТЭ</string>
</property>
</widget>
</item>
<item row="0" column="0">
<widget class="QCheckBox" name="continiusCallChkBox_3">
<property name="text">
<string>Непрерывный вызов калибр. и опроса</string>
</property>
</widget>
</item>
<item row="1" column="0">
<widget class="QCheckBox" name="calibrateCallChkBox_3">
<property name="text">
<string>Калибровка</string>
</property>
</widget>
</item>
<item row="5" column="0">
<widget class="QCheckBox" name="getHardfaultCallChkBox_3">
<property name="text">
<string>Генерация HardFault</string>
</property>
</widget>
</item>
<item row="4" column="0">
<widget class="QCheckBox" name="resetDefaultCallChkBox_3">
<property name="text">
<string>Настройки по умолчанию</string>
</property>
</widget>
</item>
<item row="3" column="0">
<widget class="QCheckBox" name="resetKeyCallChkBox_3">
<property name="text">
<string>Сбросить все ключи</string>
</property>
</widget>
</item>
</layout>
</widget>
</item>
<item row="2" column="0">
<widget class="QGroupBox" name="discs_3">
<property name="title">
<string>Тест дискретных сигналов</string>
</property>
<layout class="QGridLayout" name="gridLayout_12">
<item row="2" column="0">
<widget class="QCheckBox" name="discErrTestChkBox_3">
<property name="text">
<string>Авария</string>
</property>
</widget>
</item>
<item row="2" column="1">
<widget class="QCheckBox" name="discErr5VsciTestChkBox_3">
<property name="text">
<string>Ошибка 5 Vsci</string>
</property>
</widget>
</item>
<item row="1" column="0">
<widget class="QCheckBox" name="discWarnTestChkBox_3">
<property name="text">
<string>Предупреждение</string>
</property>
</widget>
</item>
<item row="0" column="0">
<widget class="QCheckBox" name="discWorkTestChkBox_3">
<property name="text">
<string>Работа</string>
</property>
</widget>
</item>
<item row="1" column="1">
<widget class="QCheckBox" name="discErr5TestChkBox_3">
<property name="text">
<string>Ошибка 5 В</string>
</property>
</widget>
</item>
<item row="0" column="1">
<widget class="QCheckBox" name="discErr24TestChkBox_3">
<property name="text">
<string>Ошибка 24 В</string>
</property>
</widget>
</item>
<item row="3" column="1">
<widget class="QCheckBox" name="discErr5VATestChkBox_3">
<property name="text">
<string>Ошибка 5 VA</string>
</property>
</widget>
</item>
</layout>
</widget>
</item>
</layout>
</widget>
</item>
<item row="0" column="1">
<widget class="QGroupBox" name="DbgPlate_3">
<property name="title">
<string>Плата 2</string>
</property>
<layout class="QGridLayout" name="gridLayout_24">
<item row="3" column="0">
<widget class="QGroupBox" name="leds_2">
<property name="title">
<string>Тест светодиодов</string>
</property>
<layout class="QGridLayout" name="gridLayout_21">
<item row="0" column="0">
<widget class="QCheckBox" name="ledWorkTestChkBox_2">
<property name="text">
<string>Работа</string>
</property>
</widget>
</item>
<item row="1" column="0">
<widget class="QCheckBox" name="ledWarnTestChkBox_2">
<property name="text">
<string>Предупреждение</string>
</property>
</widget>
</item>
<item row="2" column="0">
<widget class="QCheckBox" name="ledErrTestChkBox_2">
<property name="text">
<string>Авария</string>
</property>
</widget>
</item>
<item row="3" column="0">
<widget class="QCheckBox" name="ledConnectTestChkBox_2">
<property name="text">
<string>Связь</string>
</property>
</widget>
</item>
<item row="0" column="1">
<widget class="QCheckBox" name="ledVH1TestChkBox_2">
<property name="text">
<string>LED VH1 (Зеленый)</string>
</property>
</widget>
</item>
<item row="1" column="1">
<widget class="QCheckBox" name="ledVH2TestChkBox_2">
<property name="text">
<string>LED VH2 (Зеленый)</string>
</property>
</widget>
</item>
<item row="2" column="1">
<widget class="QCheckBox" name="ledVH3TestChkBox_2">
<property name="text">
<string>LED VH3 (Красный)</string>
</property>
</widget>
</item>
</layout>
</widget>
</item>
<item row="1" column="0">
<widget class="QCheckBox" name="enableLedTestChkBox_2">
<property name="text">
<string>Тест ламп и дискретных сигналов</string>
</property>
</widget>
</item>
<item row="0" column="0">
<widget class="QGroupBox" name="groupBox_21">
<property name="title">
<string>Вызов функций</string>
</property>
<layout class="QGridLayout" name="gridLayout_19">
<item row="2" column="0">
<widget class="QCheckBox" name="calibrateCallChkBox_2">
<property name="text">
<string>Калибровка</string>
</property>
</widget>
</item>
<item row="5" column="0">
<widget class="QCheckBox" name="resetDefaultCallChkBox_2">
<property name="text">
<string>Настройки по умолчанию</string>
</property>
</widget>
</item>
<item row="4" column="0">
<widget class="QCheckBox" name="resetKeyCallChkBox_2">
<property name="text">
<string>Сбросить все ключи</string>
</property>
</widget>
</item>
<item row="3" column="0">
<widget class="QCheckBox" name="pollTECallChkBox_2">
<property name="text">
<string>Опрос ТЭ</string>
</property>
</widget>
</item>
<item row="6" column="0">
<widget class="QCheckBox" name="getHardfaultCallChkBox_2">
<property name="text">
<string>Генерация HardFault</string>
</property>
</widget>
</item>
<item row="1" column="0">
<widget class="QCheckBox" name="continiusCallChkBox_2">
<property name="text">
<string>Непрерывный вызов калибр. и опроса</string>
</property>
</widget>
</item>
</layout>
</widget>
</item>
<item row="2" column="0">
<widget class="QGroupBox" name="discs_2">
<property name="title">
<string>Тест дискретных сигналов</string>
</property>
<layout class="QGridLayout" name="gridLayout_20">
<item row="2" column="1">
<widget class="QCheckBox" name="discErr5VsciTestChkBox_2">
<property name="text">
<string>Ошибка 5 Vsci</string>
</property>
</widget>
</item>
<item row="0" column="1">
<widget class="QCheckBox" name="discErr24TestChkBox_2">
<property name="text">
<string>Ошибка 24 В</string>
</property>
</widget>
</item>
<item row="1" column="0">
<widget class="QCheckBox" name="discWarnTestChkBox_2">
<property name="text">
<string>Предупреждение</string>
</property>
</widget>
</item>
<item row="0" column="0">
<widget class="QCheckBox" name="discWorkTestChkBox_2">
<property name="text">
<string>Работа</string>
</property>
</widget>
</item>
<item row="1" column="1">
<widget class="QCheckBox" name="discErr5TestChkBox_2">
<property name="text">
<string>Ошибка 5 В</string>
</property>
</widget>
</item>
<item row="2" column="0">
<widget class="QCheckBox" name="discErrTestChkBox_2">
<property name="text">
<string>Авария</string>
</property>
</widget>
</item>
<item row="3" column="1">
<widget class="QCheckBox" name="discErr5VATestChkBox_2">
<property name="text">
<string>Ошибка 5 VA</string>
</property>
</widget>
</item>
</layout>
</widget>
</item>
</layout>
</widget>
</item>
<item row="0" column="0">
<widget class="QGroupBox" name="DbgPlate_1">
<property name="title">
<string>Плата 1</string>
</property>
<layout class="QGridLayout" name="gridLayout">
<item row="0" column="0">
<widget class="QGroupBox" name="groupBox_2">
<property name="title">
<string>Вызов функций</string>
</property>
<layout class="QGridLayout" name="gridLayout_2">
<item row="4" column="0">
<widget class="QCheckBox" name="pollTECallChkBox_1">
<property name="text">
<string>Опрос ТЭ</string>
</property>
</widget>
</item>
<item row="2" column="0">
<widget class="QCheckBox" name="continiusCallChkBox_1">
<property name="text">
<string>Непрерывный вызов калибр. и опроса</string>
</property>
</widget>
</item>
<item row="3" column="0">
<widget class="QCheckBox" name="calibrateCallChkBox_1">
<property name="text">
<string>Калибровка</string>
</property>
</widget>
</item>
<item row="7" column="0">
<widget class="QCheckBox" name="getHardfaultCallChkBox_1">
<property name="text">
<string>Генерация HardFault</string>
</property>
</widget>
</item>
<item row="6" column="0">
<widget class="QCheckBox" name="resetDefaultCallChkBox_1">
<property name="text">
<string>Настройки по умолчанию</string>
</property>
</widget>
</item>
<item row="5" column="0">
<widget class="QCheckBox" name="resetKeyCallChkBox_1">
<property name="text">
<string>Сбросить все ключи</string>
</property>
</widget>
</item>
</layout>
</widget>
</item>
<item row="3" column="0">
<widget class="QGroupBox" name="leds_1">
<property name="title">
<string>Тест светодиодов</string>
</property>
<layout class="QGridLayout" name="gridLayout_5">
<item row="0" column="0">
<widget class="QCheckBox" name="ledWorkTestChkBox_1">
<property name="text">
<string>Работа</string>
</property>
</widget>
</item>
<item row="1" column="0">
<widget class="QCheckBox" name="ledWarnTestChkBox_1">
<property name="text">
<string>Предупреждение</string>
</property>
</widget>
</item>
<item row="2" column="0">
<widget class="QCheckBox" name="ledErrTestChkBox_1">
<property name="text">
<string>Авария</string>
</property>
</widget>
</item>
<item row="3" column="0">
<widget class="QCheckBox" name="ledConnectTestChkBox_1">
<property name="text">
<string>Связь</string>
</property>
</widget>
</item>
<item row="0" column="1">
<widget class="QCheckBox" name="ledVH1TestChkBox_1">
<property name="text">
<string>LED VH1 (Зеленый)</string>
</property>
</widget>
</item>
<item row="1" column="1">
<widget class="QCheckBox" name="ledVH2TestChkBox_1">
<property name="text">
<string>LED VH2 (Зеленый)</string>
</property>
</widget>
</item>
<item row="2" column="1">
<widget class="QCheckBox" name="ledVH3TestChkBox_1">
<property name="text">
<string>LED VH3 (Красный)</string>
</property>
</widget>
</item>
</layout>
</widget>
</item>
<item row="2" column="0">
<widget class="QGroupBox" name="discs_1">
<property name="title">
<string>Тест дискретных сигналов</string>
</property>
<layout class="QGridLayout" name="gridLayout_3">
<item row="2" column="1">
<widget class="QCheckBox" name="discErr5VsciTestChkBox_1">
<property name="text">
<string>Ошибка 5 Vsci</string>
</property>
</widget>
</item>
<item row="0" column="1">
<widget class="QCheckBox" name="discErr24TestChkBox_1">
<property name="text">
<string>Ошибка 24 В</string>
</property>
</widget>
</item>
<item row="1" column="0">
<widget class="QCheckBox" name="discWarnTestChkBox_1">
<property name="text">
<string>Предупреждение</string>
</property>
</widget>
</item>
<item row="1" column="1">
<widget class="QCheckBox" name="discErr5TestChkBox_1">
<property name="text">
<string>Ошибка 5 В</string>
</property>
</widget>
</item>
<item row="0" column="0">
<widget class="QCheckBox" name="discWorkTestChkBox_1">
<property name="text">
<string>Работа</string>
</property>
</widget>
</item>
<item row="2" column="0">
<widget class="QCheckBox" name="discErrTestChkBox_1">
<property name="text">
<string>Авария</string>
</property>
</widget>
</item>
<item row="3" column="1">
<widget class="QCheckBox" name="discErr5VATestChkBox_1">
<property name="text">
<string>Ошибка 5 VA</string>
</property>
</widget>
</item>
</layout>
</widget>
</item>
<item row="1" column="0">
<widget class="QCheckBox" name="enableLedTestChkBox_1">
<property name="text">
<string>Тест ламп и дискретных сигналов</string>
</property>
</widget>
</item>
</layout>
</widget>
</item>
<item row="0" column="3">
<widget class="QGroupBox" name="DbgPlate_2">
<property name="title">
<string>Плата 4</string>
</property>
<layout class="QGridLayout" name="gridLayout_23">
<item row="2" column="0">
<widget class="QGroupBox" name="discs_4">
<property name="title">
<string>Тест дискретных сигналов</string>
</property>
<layout class="QGridLayout" name="gridLayout_16">
<item row="1" column="0">
<widget class="QCheckBox" name="discWarnTestChkBox_4">
<property name="text">
<string>Предупреждение</string>
</property>
</widget>
</item>
<item row="2" column="0">
<widget class="QCheckBox" name="discErrTestChkBox_4">
<property name="text">
<string>Авария</string>
</property>
</widget>
</item>
<item row="2" column="1">
<widget class="QCheckBox" name="discErr5VsciTestChkBox_4">
<property name="text">
<string>Ошибка 5 Vsci</string>
</property>
</widget>
</item>
<item row="0" column="0">
<widget class="QCheckBox" name="discWorkTestChkBox_4">
<property name="text">
<string>Работа</string>
</property>
</widget>
</item>
<item row="1" column="1">
<widget class="QCheckBox" name="discErr5TestChkBox_4">
<property name="text">
<string>Ошибка 5 В</string>
</property>
</widget>
</item>
<item row="0" column="1">
<widget class="QCheckBox" name="discErr24TestChkBox_4">
<property name="text">
<string>Ошибка 24 В</string>
</property>
</widget>
</item>
<item row="3" column="1">
<widget class="QCheckBox" name="discErr5VATestChkBox_4">
<property name="text">
<string>Ошибка 5 VA</string>
</property>
</widget>
</item>
</layout>
</widget>
</item>
<item row="3" column="0">
<widget class="QGroupBox" name="leds_4">
<property name="title">
<string>Тест светодиодов</string>
</property>
<layout class="QGridLayout" name="gridLayout_17">
<item row="0" column="0">
<widget class="QCheckBox" name="ledWorkTestChkBox_4">
<property name="text">
<string>Работа</string>
</property>
</widget>
</item>
<item row="1" column="0">
<widget class="QCheckBox" name="ledWarnTestChkBox_4">
<property name="text">
<string>Предупреждение</string>
</property>
</widget>
</item>
<item row="2" column="0">
<widget class="QCheckBox" name="ledErrTestChkBox_4">
<property name="text">
<string>Авария</string>
</property>
</widget>
</item>
<item row="3" column="0">
<widget class="QCheckBox" name="ledConnectTestChkBox_4">
<property name="text">
<string>Связь</string>
</property>
</widget>
</item>
<item row="0" column="1">
<widget class="QCheckBox" name="ledVH1TestChkBox_4">
<property name="text">
<string>LED VH1 (Зеленый)</string>
</property>
</widget>
</item>
<item row="1" column="1">
<widget class="QCheckBox" name="ledVH2TestChkBox_4">
<property name="text">
<string>LED VH2 (Зеленый)</string>
</property>
</widget>
</item>
<item row="2" column="1">
<widget class="QCheckBox" name="ledVH3TestChkBox_4">
<property name="text">
<string>LED VH3 (Красный)</string>
</property>
</widget>
</item>
</layout>
</widget>
</item>
<item row="1" column="0">
<widget class="QCheckBox" name="enableLedTestChkBox_4">
<property name="text">
<string>Тест ламп и дискретных сигналов</string>
</property>
</widget>
</item>
<item row="0" column="0">
<widget class="QGroupBox" name="groupBox_16">
<property name="title">
<string>Вызов функций</string>
</property>
<layout class="QGridLayout" name="gridLayout_15">
<item row="2" column="0">
<widget class="QCheckBox" name="pollTECallChkBox_4">
<property name="text">
<string>Опрос ТЭ</string>
</property>
</widget>
</item>
<item row="0" column="0">
<widget class="QCheckBox" name="continiusCallChkBox_4">
<property name="text">
<string>Непрерывный вызов калибр. и опроса</string>
</property>
</widget>
</item>
<item row="1" column="0">
<widget class="QCheckBox" name="calibrateCallChkBox_4">
<property name="text">
<string>Калибровка</string>
</property>
</widget>
</item>
<item row="5" column="0">
<widget class="QCheckBox" name="getHardfaultCallChkBox_4">
<property name="text">
<string>Генерация HardFault</string>
</property>
</widget>
</item>
<item row="4" column="0">
<widget class="QCheckBox" name="resetDefaultCallChkBox_4">
<property name="text">
<string>Настройки по умолчанию</string>
</property>
</widget>
</item>
<item row="3" column="0">
<widget class="QCheckBox" name="resetKeyCallChkBox_4">
<property name="text">
<string>Сбросить все ключи</string>
</property>
</widget>
</item>
</layout>
</widget>
</item>
</layout>
</widget>
</item>
</layout>
</widget>
<resources/>
<connections>
<connection>
<sender>buttonBox</sender>
<signal>accepted()</signal>
<receiver>DebugTerminalDialog</receiver>
<slot>accept()</slot>
<hints>
<hint type="sourcelabel">
<x>248</x>
<y>254</y>
</hint>
<hint type="destinationlabel">
<x>157</x>
<y>274</y>
</hint>
</hints>
</connection>
<connection>
<sender>buttonBox</sender>
<signal>rejected()</signal>
<receiver>DebugTerminalDialog</receiver>
<slot>reject()</slot>
<hints>
<hint type="sourcelabel">
<x>316</x>
<y>260</y>
</hint>
<hint type="destinationlabel">
<x>286</x>
<y>274</y>
</hint>
</hints>
</connection>
</connections>
</ui>

View File

@ -0,0 +1,811 @@
#include "debugterminaldialog.h"
#include "ui_debugTerminalDialog.h"
#include "adcgraphdialog.h"
#include <QDebug>
#include <QShowEvent>
#include <QCloseEvent>
#include <QAbstractButton>
DebugTerminalDialog::DebugTerminalDialog(QWidget *parent) :
QDialog(parent),
ui(new Ui::DebugTerminalDialog),
m_adcGraphDialog(nullptr),
m_modbusDevice(nullptr)
{
ui->setupUi(this);
boards[0].error24V = ui->discErr24TestChkBox_1;
boards[0].error5V = ui->discErr5TestChkBox_1;
boards[0].error5VSCI = ui->discErr5VsciTestChkBox_1;
boards[0].error5VA = ui->discErr5VATestChkBox_1;
boards[1].error24V = ui->discErr24TestChkBox_2;
boards[1].error5V = ui->discErr5TestChkBox_2;
boards[1].error5VSCI = ui->discErr5VsciTestChkBox_2;
boards[1].error5VA = ui->discErr5VATestChkBox_2;
boards[2].error24V = ui->discErr24TestChkBox_3;
boards[2].error5V = ui->discErr5TestChkBox_3;
boards[2].error5VSCI = ui->discErr5VsciTestChkBox_3;
boards[2].error5VA = ui->discErr5VATestChkBox_3;
boards[3].error24V = ui->discErr24TestChkBox_4;
boards[3].error5V = ui->discErr5TestChkBox_4;
boards[3].error5VSCI = ui->discErr5VsciTestChkBox_4;
boards[3].error5VA = ui->discErr5VATestChkBox_4;
initializeConnections();
// Создаем AdcGraphDialog с nullptr
m_adcGraphDialog = new AdcGraphDialog(nullptr, this);
}
DebugTerminalDialog::~DebugTerminalDialog()
{
delete ui;
}
void DebugTerminalDialog::setMainTerm(M3KTE* term)
{
mainTerm = term;
}
void DebugTerminalDialog::setModbusDevice(QModbusClient *device)
{
m_modbusDevice = device;
if (m_adcGraphDialog && device) {
m_adcGraphDialog->setModbusDevice(device);
}
}
void DebugTerminalDialog::setDebugTerminalCoil(int enable)
{
writeCoil(0, COIL_DEBUG_MODE, enable);
writeCoil(1, COIL_DEBUG_MODE, enable);
writeCoil(2, COIL_DEBUG_MODE, enable);
writeCoil(3, COIL_DEBUG_MODE, enable);
}
void DebugTerminalDialog::showEvent(QShowEvent *event)
{
QDialog::showEvent(event);
// При открытии окна записываем в коил 555 значение "1"
resetAll();
setDebugTerminalCoil(1);
}
void DebugTerminalDialog::closeEvent(QCloseEvent *event)
{
// При закрытии окна записываем в коил 555 значение "0"
setDebugTerminalCoil(0);
QDialog::closeEvent(event);
}
void DebugTerminalDialog::initializeConnections()
{
// // Подключаем кнопки OK и RestoreDefaults
// connect(ui->buttonBox, &QDialogButtonBox::clicked, this, &DebugTerminalDialog::on_buttonBox_clicked);
// // Подключаем все чекбоксы для платы 1
// connect(ui->continiusCallChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_continiusCallChkBox_1_stateChanged);
// connect(ui->calibrateCallChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_calibrateCallChkBox_1_stateChanged);
// connect(ui->pollTECallChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_pollTECallChkBox_1_stateChanged);
// connect(ui->resetKeyCallChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_resetKeyCallChkBox_1_stateChanged);
// connect(ui->resetDefaultCallChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_resetDefaultCallChkBox_1_stateChanged);
// connect(ui->getHardfaultCallChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_getHardfaultCallChkBox_1_stateChanged);
// connect(ui->enableLedTestChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::enableLedTestChkBox_1_stateChanged);
// connect(ui->discWorkTestChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_discWorkTestChkBox_1_stateChanged);
// connect(ui->discWarnTestChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_discWarnTestChkBox_1_stateChanged);
// connect(ui->discErrTestChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_discErrTestChkBox_1_stateChanged);
// connect(ui->discErr24TestChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_discErr24TestChkBox_1_stateChanged);
// ui->discErr24TestChkBox_1->setAttribute(Qt::WA_TransparentForMouseEvents, true);
// connect(ui->discErr5TestChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_discErr5TestChkBox_1_stateChanged);
// ui->discErr5TestChkBox_1->setAttribute(Qt::WA_TransparentForMouseEvents, true);
// connect(ui->discErr5VsciTestChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_discErr5VsciTestChkBox_1_stateChanged);
// ui->discErr5VsciTestChkBox_1->setAttribute(Qt::WA_TransparentForMouseEvents, true);
// connect(ui->discErr5VATestChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_discErr5VATestChkBox_1_stateChanged);
// ui->discErr5VATestChkBox_1->setAttribute(Qt::WA_TransparentForMouseEvents, true);
// connect(ui->ledWorkTestChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_ledWorkTestChkBox_1_stateChanged);
// connect(ui->ledWarnTestChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_ledWarnTestChkBox_1_stateChanged);
// connect(ui->ledErrTestChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_ledErrTestChkBox_1_stateChanged);
// connect(ui->ledConnectTestChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_ledConnectTestChkBox_1_stateChanged);
// connect(ui->ledVH1TestChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_ledVH1TestChkBox_1_stateChanged);
// connect(ui->ledVH2TestChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_ledVH2TestChkBox_1_stateChanged);
// connect(ui->ledVH3TestChkBox_1, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_ledVH3TestChkBox_1_stateChanged);
// // Подключаем все чекбоксы для платы 2
// connect(ui->continiusCallChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_continiusCallChkBox_2_stateChanged);
// connect(ui->calibrateCallChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_calibrateCallChkBox_2_stateChanged);
// connect(ui->pollTECallChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_pollTECallChkBox_2_stateChanged);
// connect(ui->resetKeyCallChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_resetKeyCallChkBox_2_stateChanged);
// connect(ui->resetDefaultCallChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_resetDefaultCallChkBox_2_stateChanged);
// connect(ui->getHardfaultCallChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_getHardfaultCallChkBox_2_stateChanged);
// connect(ui->enableLedTestChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::enableLedTestChkBox_2_stateChanged);
// connect(ui->discWorkTestChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_discWorkTestChkBox_2_stateChanged);
// connect(ui->discWarnTestChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_discWarnTestChkBox_2_stateChanged);
// connect(ui->discErrTestChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_discErrTestChkBox_2_stateChanged);
// connect(ui->discErr24TestChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_discErr24TestChkBox_2_stateChanged);
// ui->discErr24TestChkBox_2->setAttribute(Qt::WA_TransparentForMouseEvents, true);
// connect(ui->discErr5TestChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_discErr5TestChkBox_2_stateChanged);
// ui->discErr5TestChkBox_2->setAttribute(Qt::WA_TransparentForMouseEvents, true);
// connect(ui->discErr5VsciTestChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_discErr5VsciTestChkBox_2_stateChanged);
// ui->discErr5VsciTestChkBox_2->setAttribute(Qt::WA_TransparentForMouseEvents, true);
// connect(ui->discErr5VATestChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_discErr5VATestChkBox_2_stateChanged);
// ui->discErr5VATestChkBox_2->setAttribute(Qt::WA_TransparentForMouseEvents, true);
// connect(ui->ledWorkTestChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_ledWorkTestChkBox_2_stateChanged);
// connect(ui->ledWarnTestChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_ledWarnTestChkBox_2_stateChanged);
// connect(ui->ledErrTestChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_ledErrTestChkBox_2_stateChanged);
// connect(ui->ledConnectTestChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_ledConnectTestChkBox_2_stateChanged);
// connect(ui->ledVH1TestChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_ledVH1TestChkBox_2_stateChanged);
// connect(ui->ledVH2TestChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_ledVH2TestChkBox_2_stateChanged);
// connect(ui->ledVH3TestChkBox_2, &QCheckBox::stateChanged, this, &DebugTerminalDialog::on_ledVH3TestChkBox_2_stateChanged);
}
void DebugTerminalDialog::updateConnectionStatus(int boardID, bool connected)
{
// Обновляем визуальное отображение статуса соединения
// Можно изменить цвет рамки или добавить индикатор
Q_UNUSED(boardID);
Q_UNUSED(connected);
// Реализация по необходимости
}
void DebugTerminalDialog::on_buttonBox_clicked(QAbstractButton *button)
{
switch (ui->buttonBox->buttonRole(button)) {
case QDialogButtonBox::ResetRole:
resetAll();
break;
case QDialogButtonBox::AcceptRole:
accept();
break;
default:
break;
}
}
// Реализация слотов для вызова функций платы 1
void DebugTerminalDialog::on_continiusCallChkBox_1_stateChanged(int state)
{
writeCoil(0, COIL_CONTINUOUS_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_calibrateCallChkBox_1_stateChanged(int state)
{
writeCoil(0, COIL_CALIBRATE_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_pollTECallChkBox_1_stateChanged(int state)
{
writeCoil(0, COIL_POLL_TE_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_resetKeyCallChkBox_1_stateChanged(int state)
{
writeCoil(0, COIL_RESET_KEYS_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_resetDefaultCallChkBox_1_stateChanged(int state)
{
writeCoil(0, COIL_RESET_DEFAULT_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_getHardfaultCallChkBox_1_stateChanged(int state)
{
writeCoil(0, COIL_HARDFAULT_CALL, state == Qt::Checked ? 1 : 0);
}
// Реализация слотов для теста дискретных сигналов платы 1
void DebugTerminalDialog::on_enableLedTestChkBox_1_stateChanged(int state)
{
writeCoil(0, COIL_LED_TEST_ENABLE, state == Qt::Checked ? 1 : 0);
ui->leds_1->setEnabled(state);
ui->discs_1->setEnabled(state);
}
void DebugTerminalDialog::on_discWorkTestChkBox_1_stateChanged(int state)
{
writeCoil(0, COIL_DISC_WORK_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_discWarnTestChkBox_1_stateChanged(int state)
{
writeCoil(0, COIL_DISC_WARN_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_discErrTestChkBox_1_stateChanged(int state)
{
writeCoil(0, COIL_DISC_ERR_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_discErr24TestChkBox_1_stateChanged(int state){Q_UNUSED(state)}
void DebugTerminalDialog::on_discErr5TestChkBox_1_stateChanged(int state){Q_UNUSED(state)}
void DebugTerminalDialog::on_discErr5VsciTestChkBox_1_stateChanged(int state){Q_UNUSED(state)}
void DebugTerminalDialog::on_discErr5VATestChkBox_1_stateChanged(int state){Q_UNUSED(state)}
// Реализация слотов для теста светодиодов платы 1
void DebugTerminalDialog::on_ledWorkTestChkBox_1_stateChanged(int state)
{
writeCoil(0, COIL_LED_WORK_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledWarnTestChkBox_1_stateChanged(int state)
{
writeCoil(0, COIL_LED_WARN_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledErrTestChkBox_1_stateChanged(int state)
{
writeCoil(0, COIL_LED_ERR_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledConnectTestChkBox_1_stateChanged(int state)
{
writeCoil(0, COIL_LED_CONNECT_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledVH1TestChkBox_1_stateChanged(int state)
{
writeCoil(0, COIL_LED_VH1_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledVH2TestChkBox_1_stateChanged(int state)
{
writeCoil(0, COIL_LED_VH2_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledVH3TestChkBox_1_stateChanged(int state)
{
writeCoil(0, COIL_LED_VH3_TEST, state == Qt::Checked ? 1 : 0);
}
// Реализация слотов для вызова функций платы 2
void DebugTerminalDialog::on_continiusCallChkBox_2_stateChanged(int state)
{
writeCoil(1, COIL_CONTINUOUS_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_calibrateCallChkBox_2_stateChanged(int state)
{
writeCoil(1, COIL_CALIBRATE_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_pollTECallChkBox_2_stateChanged(int state)
{
writeCoil(1, COIL_POLL_TE_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_resetKeyCallChkBox_2_stateChanged(int state)
{
writeCoil(1, COIL_RESET_KEYS_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_resetDefaultCallChkBox_2_stateChanged(int state)
{
writeCoil(1, COIL_RESET_DEFAULT_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_getHardfaultCallChkBox_2_stateChanged(int state)
{
writeCoil(1, COIL_HARDFAULT_CALL, state == Qt::Checked ? 1 : 0);
}
// Реализация слотов для теста дискретных сигналов платы 2
void DebugTerminalDialog::on_enableLedTestChkBox_2_stateChanged(int state)
{
writeCoil(1, COIL_LED_TEST_ENABLE, state == Qt::Checked ? 1 : 0);
ui->leds_2->setEnabled(state);
ui->discs_2->setEnabled(state);
}
void DebugTerminalDialog::on_discWorkTestChkBox_2_stateChanged(int state)
{
writeCoil(1, COIL_DISC_WORK_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_discWarnTestChkBox_2_stateChanged(int state)
{
writeCoil(1, COIL_DISC_WARN_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_discErrTestChkBox_2_stateChanged(int state)
{
writeCoil(1, COIL_DISC_ERR_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_discErr24TestChkBox_2_stateChanged(int state){Q_UNUSED(state)}
void DebugTerminalDialog::on_discErr5TestChkBox_2_stateChanged(int state){Q_UNUSED(state)}
void DebugTerminalDialog::on_discErr5VsciTestChkBox_2_stateChanged(int state){Q_UNUSED(state)}
void DebugTerminalDialog::on_discErr5VATestChkBox_2_stateChanged(int state){Q_UNUSED(state)}
// Реализация слотов для теста светодиодов платы 2
void DebugTerminalDialog::on_ledWorkTestChkBox_2_stateChanged(int state)
{
writeCoil(1, COIL_LED_WORK_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledWarnTestChkBox_2_stateChanged(int state)
{
writeCoil(1, COIL_LED_WARN_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledErrTestChkBox_2_stateChanged(int state)
{
writeCoil(1, COIL_LED_ERR_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledConnectTestChkBox_2_stateChanged(int state)
{
writeCoil(1, COIL_LED_CONNECT_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledVH1TestChkBox_2_stateChanged(int state)
{
writeCoil(1, COIL_LED_VH1_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledVH2TestChkBox_2_stateChanged(int state)
{
writeCoil(1, COIL_LED_VH2_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledVH3TestChkBox_2_stateChanged(int state)
{
writeCoil(1, COIL_LED_VH3_TEST, state == Qt::Checked ? 1 : 0);
}
// Реализация слотов для вызова функций платы 3
void DebugTerminalDialog::on_continiusCallChkBox_3_stateChanged(int state)
{
writeCoil(2, COIL_CONTINUOUS_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_calibrateCallChkBox_3_stateChanged(int state)
{
writeCoil(2, COIL_CALIBRATE_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_pollTECallChkBox_3_stateChanged(int state)
{
writeCoil(2, COIL_POLL_TE_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_resetKeyCallChkBox_3_stateChanged(int state)
{
writeCoil(2, COIL_RESET_KEYS_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_resetDefaultCallChkBox_3_stateChanged(int state)
{
writeCoil(2, COIL_RESET_DEFAULT_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_getHardfaultCallChkBox_3_stateChanged(int state)
{
writeCoil(2, COIL_HARDFAULT_CALL, state == Qt::Checked ? 1 : 0);
}
// Реализация слотов для теста дискретных сигналов платы 3
void DebugTerminalDialog::on_enableLedTestChkBox_3_stateChanged(int state)
{
writeCoil(2, COIL_LED_TEST_ENABLE, state == Qt::Checked ? 1 : 0);
ui->leds_3->setEnabled(state);
ui->discs_3->setEnabled(state);
}
void DebugTerminalDialog::on_discWorkTestChkBox_3_stateChanged(int state)
{
writeCoil(2, COIL_DISC_WORK_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_discWarnTestChkBox_3_stateChanged(int state)
{
writeCoil(2, COIL_DISC_WARN_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_discErrTestChkBox_3_stateChanged(int state)
{
writeCoil(2, COIL_DISC_ERR_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_discErr24TestChkBox_3_stateChanged(int state){Q_UNUSED(state)}
void DebugTerminalDialog::on_discErr5TestChkBox_3_stateChanged(int state){Q_UNUSED(state)}
void DebugTerminalDialog::on_discErr5VsciTestChkBox_3_stateChanged(int state){Q_UNUSED(state)}
void DebugTerminalDialog::on_discErr5VATestChkBox_3_stateChanged(int state){Q_UNUSED(state)}
// Реализация слотов для теста светодиодов платы 3
void DebugTerminalDialog::on_ledWorkTestChkBox_3_stateChanged(int state)
{
writeCoil(2, COIL_LED_WORK_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledWarnTestChkBox_3_stateChanged(int state)
{
writeCoil(2, COIL_LED_WARN_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledErrTestChkBox_3_stateChanged(int state)
{
writeCoil(2, COIL_LED_ERR_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledConnectTestChkBox_3_stateChanged(int state)
{
writeCoil(2, COIL_LED_CONNECT_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledVH1TestChkBox_3_stateChanged(int state)
{
writeCoil(2, COIL_LED_VH1_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledVH2TestChkBox_3_stateChanged(int state)
{
writeCoil(2, COIL_LED_VH2_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledVH3TestChkBox_3_stateChanged(int state)
{
writeCoil(2, COIL_LED_VH3_TEST, state == Qt::Checked ? 1 : 0);
}
// Реализация слотов для вызова функций платы 4
void DebugTerminalDialog::on_continiusCallChkBox_4_stateChanged(int state)
{
writeCoil(3, COIL_CONTINUOUS_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_calibrateCallChkBox_4_stateChanged(int state)
{
writeCoil(3, COIL_CALIBRATE_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_pollTECallChkBox_4_stateChanged(int state)
{
writeCoil(3, COIL_POLL_TE_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_resetKeyCallChkBox_4_stateChanged(int state)
{
writeCoil(3, COIL_RESET_KEYS_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_resetDefaultCallChkBox_4_stateChanged(int state)
{
writeCoil(3, COIL_RESET_DEFAULT_CALL, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_getHardfaultCallChkBox_4_stateChanged(int state)
{
writeCoil(3, COIL_HARDFAULT_CALL, state == Qt::Checked ? 1 : 0);
}
// Реализация слотов для теста дискретных сигналов платы 4
void DebugTerminalDialog::on_enableLedTestChkBox_4_stateChanged(int state)
{
writeCoil(3, COIL_LED_TEST_ENABLE, state == Qt::Checked ? 1 : 0);
ui->leds_4->setEnabled(state);
ui->discs_4->setEnabled(state);
}
void DebugTerminalDialog::on_discWorkTestChkBox_4_stateChanged(int state)
{
writeCoil(3, COIL_DISC_WORK_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_discWarnTestChkBox_4_stateChanged(int state)
{
writeCoil(3, COIL_DISC_WARN_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_discErrTestChkBox_4_stateChanged(int state)
{
writeCoil(3, COIL_DISC_ERR_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_discErr24TestChkBox_4_stateChanged(int state){Q_UNUSED(state)}
void DebugTerminalDialog::on_discErr5TestChkBox_4_stateChanged(int state){Q_UNUSED(state)}
void DebugTerminalDialog::on_discErr5VsciTestChkBox_4_stateChanged(int state){Q_UNUSED(state)}
void DebugTerminalDialog::on_discErr5VATestChkBox_4_stateChanged(int state){Q_UNUSED(state)}
// Реализация слотов для теста светодиодов платы 4
void DebugTerminalDialog::on_ledWorkTestChkBox_4_stateChanged(int state)
{
writeCoil(3, COIL_LED_WORK_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledWarnTestChkBox_4_stateChanged(int state)
{
writeCoil(3, COIL_LED_WARN_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledErrTestChkBox_4_stateChanged(int state)
{
writeCoil(3, COIL_LED_ERR_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledConnectTestChkBox_4_stateChanged(int state)
{
writeCoil(3, COIL_LED_CONNECT_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledVH1TestChkBox_4_stateChanged(int state)
{
writeCoil(3, COIL_LED_VH1_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledVH2TestChkBox_4_stateChanged(int state)
{
writeCoil(3, COIL_LED_VH2_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::on_ledVH3TestChkBox_4_stateChanged(int state)
{
writeCoil(3, COIL_LED_VH3_TEST, state == Qt::Checked ? 1 : 0);
}
void DebugTerminalDialog::openAdc(int boardID, int teNumber)
{
// Удаляем старый диалог и создаем новый
if (m_adcGraphDialog) {
m_adcGraphDialog->deleteLater();
m_adcGraphDialog = nullptr;
}
m_adcGraphDialog = new AdcGraphDialog(m_modbusDevice, this);
connect(m_adcGraphDialog, &AdcGraphDialog::dialogClosed, this, [this]() {
setDebugTerminalCoil(0);
});
setGraphUpdateInterval(1000);
m_adcGraphDialog->startGraph(boardID, teNumber);
m_adcGraphDialog->show();
m_adcGraphDialog->raise();
m_adcGraphDialog->activateWindow();
}
void DebugTerminalDialog::setGraphUpdateInterval(int milliseconds)
{
if (m_adcGraphDialog) {
m_adcGraphDialog->setTimeout(milliseconds);
}
}
void DebugTerminalDialog::writeCoil(int boardID, int coil, int value)
{
QGroupBox* boardGroup = nullptr;
switch(boardID) {
case 0: boardGroup = ui->DbgPlate_1; break; // Плата 1
case 1: boardGroup = ui->DbgPlate_2; break; // Плата 2
case 2: boardGroup = ui->DbgPlate_3; break; // Плата 3
case 3: boardGroup = ui->DbgPlate_4; break; // Плата 4
default: return;
}
if(!boardGroup->isEnabled())
return;
qDebug() << "Writing board" << boardID << "coil:" << coil << "value:" << value;
emit coilValueChanged(boardID, coil, value);
}
void DebugTerminalDialog::writeTENumber(int boardId, int teNumber)
{
m_adcGraphDialog->setTENumber(boardId, teNumber);
}
void DebugTerminalDialog::setBoardActive(int boardID, bool active)
{
// Получаем групбокс для указанной платы
QGroupBox* boardGroup = nullptr;
switch(boardID) {
case 0: boardGroup = ui->DbgPlate_1; break; // Плата 1
case 1: boardGroup = ui->DbgPlate_2; break; // Плата 2
case 2: boardGroup = ui->DbgPlate_3; break; // Плата 3
case 3: boardGroup = ui->DbgPlate_4; break; // Плата 4
default: return;
}
if (boardGroup) {
boardGroup->setEnabled(active);
// Можно добавить визуальное отличие неактивных плат
if (!active) {
boardGroup->setStyleSheet("QGroupBox { color: gray; }");
} else {
boardGroup->setStyleSheet(""); // Сброс стиля
}
}
}
void DebugTerminalDialog::updateBoardStates(bool activeBoards[4])
{
for (int i = 0; i < 4; i++) {
setBoardActive(i, activeBoards[i]);
}
}
void DebugTerminalDialog::resetAll()
{
// Сброс всех чекбоксов вызова функций
ui->continiusCallChkBox_1->setChecked(false);
ui->calibrateCallChkBox_1->setChecked(false);
ui->pollTECallChkBox_1->setChecked(false);
ui->resetKeyCallChkBox_1->setChecked(false);
ui->resetDefaultCallChkBox_1->setChecked(false);
ui->getHardfaultCallChkBox_1->setChecked(false);
ui->enableLedTestChkBox_1->setChecked(false);
ui->leds_1->setEnabled(false);
ui->discs_1->setEnabled(false);
ui->discWorkTestChkBox_1->setChecked(false);
// Сброс всех чекбоксов теста дискретных сигналов
ui->discWorkTestChkBox_1->setChecked(false);
ui->discWarnTestChkBox_1->setChecked(false);
ui->discErrTestChkBox_1->setChecked(false);
// Сброс всех чекбоксов теста светодиодов
ui->ledWorkTestChkBox_1->setChecked(false);
ui->ledWarnTestChkBox_1->setChecked(false);
ui->ledErrTestChkBox_1->setChecked(false);
ui->ledConnectTestChkBox_1->setChecked(false);
ui->ledVH1TestChkBox_1->setChecked(false);
ui->ledVH2TestChkBox_1->setChecked(false);
ui->ledVH3TestChkBox_1->setChecked(false);
// Сброс всех чекбоксов вызова функций
ui->continiusCallChkBox_2->setChecked(false);
ui->calibrateCallChkBox_2->setChecked(false);
ui->pollTECallChkBox_2->setChecked(false);
ui->resetKeyCallChkBox_2->setChecked(false);
ui->resetDefaultCallChkBox_2->setChecked(false);
ui->getHardfaultCallChkBox_2->setChecked(false);
ui->enableLedTestChkBox_2->setChecked(false);
ui->leds_2->setEnabled(false);
ui->discs_2->setEnabled(false);
ui->discWorkTestChkBox_2->setChecked(false);
// Сброс всех чекбоксов теста дискретных сигналов
ui->discWorkTestChkBox_2->setChecked(false);
ui->discWarnTestChkBox_2->setChecked(false);
ui->discErrTestChkBox_2->setChecked(false);
// Сброс всех чекбоксов теста светодиодов
ui->ledWorkTestChkBox_2->setChecked(false);
ui->ledWarnTestChkBox_2->setChecked(false);
ui->ledErrTestChkBox_2->setChecked(false);
ui->ledConnectTestChkBox_2->setChecked(false);
ui->ledVH1TestChkBox_2->setChecked(false);
ui->ledVH2TestChkBox_2->setChecked(false);
ui->ledVH3TestChkBox_2->setChecked(false);
// Сброс всех чекбоксов вызова функций
ui->continiusCallChkBox_3->setChecked(false);
ui->calibrateCallChkBox_3->setChecked(false);
ui->pollTECallChkBox_3->setChecked(false);
ui->resetKeyCallChkBox_3->setChecked(false);
ui->resetDefaultCallChkBox_3->setChecked(false);
ui->getHardfaultCallChkBox_3->setChecked(false);
ui->enableLedTestChkBox_3->setChecked(false);
ui->leds_3->setEnabled(false);
ui->discs_3->setEnabled(false);
ui->discWorkTestChkBox_3->setChecked(false);
// Сброс всех чекбоксов теста дискретных сигналов
ui->discWorkTestChkBox_3->setChecked(false);
ui->discWarnTestChkBox_3->setChecked(false);
ui->discErrTestChkBox_3->setChecked(false);
// Сброс всех чекбоксов теста светодиодов
ui->ledWorkTestChkBox_3->setChecked(false);
ui->ledWarnTestChkBox_3->setChecked(false);
ui->ledErrTestChkBox_3->setChecked(false);
ui->ledConnectTestChkBox_3->setChecked(false);
ui->ledVH1TestChkBox_3->setChecked(false);
ui->ledVH2TestChkBox_3->setChecked(false);
ui->ledVH3TestChkBox_3->setChecked(false);
// Сброс всех чекбоксов вызова функций
ui->continiusCallChkBox_4->setChecked(false);
ui->calibrateCallChkBox_4->setChecked(false);
ui->pollTECallChkBox_4->setChecked(false);
ui->resetKeyCallChkBox_4->setChecked(false);
ui->resetDefaultCallChkBox_4->setChecked(false);
ui->getHardfaultCallChkBox_4->setChecked(false);
ui->enableLedTestChkBox_4->setChecked(false);
ui->leds_4->setEnabled(false);
ui->discs_4->setEnabled(false);
ui->discWorkTestChkBox_4->setChecked(false);
// Сброс всех чекбоксов теста дискретных сигналов
ui->discWorkTestChkBox_4->setChecked(false);
ui->discWarnTestChkBox_4->setChecked(false);
ui->discErrTestChkBox_4->setChecked(false);
// Сброс всех чекбоксов теста светодиодов
ui->ledWorkTestChkBox_4->setChecked(false);
ui->ledWarnTestChkBox_4->setChecked(false);
ui->ledErrTestChkBox_4->setChecked(false);
ui->ledConnectTestChkBox_4->setChecked(false);
ui->ledVH1TestChkBox_4->setChecked(false);
ui->ledVH2TestChkBox_4->setChecked(false);
ui->ledVH3TestChkBox_4->setChecked(false);
}
void DebugTerminalDialog::boardDebugReading(int boardID)
{
if(mainTerm == nullptr)
return;
if(!boards[boardID].isActive)
return;
if(!this->isVisible())
return;
QModbusReply *_24V = mainTerm->readSingleCoil(boardID, 603);
if(_24V != nullptr)
connect(_24V, &QModbusReply::finished, this, [this, boardID, _24V]() {
if(_24V->error() == QModbusDevice::NoError)
boards[boardID].error24V->setChecked(_24V->result().value(0));
_24V->deleteLater();
});
QModbusReply *_5V = mainTerm->readSingleCoil(boardID, 604);
if(_5V != nullptr)
connect(_5V, &QModbusReply::finished, this, [this, boardID, _5V]() {
if(_5V->error() == QModbusDevice::NoError)
boards[boardID].error5V->setChecked(_5V->result().value(0));
_5V->deleteLater();
});
QModbusReply *_5VSCI = mainTerm->readSingleCoil(boardID, 605);
if(_5VSCI != nullptr)
connect(_5VSCI, &QModbusReply::finished, this, [this, boardID, _5VSCI]() {
if(_5VSCI->error() == QModbusDevice::NoError)
boards[boardID].error5VSCI->setChecked(_5VSCI->result().value(0));
_5VSCI->deleteLater();
});
QModbusReply *_5VA = mainTerm->readSingleCoil(boardID, 606);
if(_5VA != nullptr)
connect(_5VA, &QModbusReply::finished, this, [this, boardID, _5VA]() {
if(_5VA->error() == QModbusDevice::NoError)
boards[boardID].error5VA->setChecked(_5VA->result().value(0));
_5VA->deleteLater();
});
}
void DebugTerminalDialog::setScanBoardActive(bool flag, int boardID)
{
boards[boardID].isActive = flag;
}
void DebugTerminalDialog::offAllBoard()
{
for(int i = 0; i < 4; i++)
{
boards[i].isActive = false;
}
}

View File

@ -0,0 +1,225 @@
#ifndef DEBUGTERMINALDIALOG_H
#define DEBUGTERMINALDIALOG_H
#include <QDialog>
#include <QModbusClient>
#include <QAbstractButton>
#include <QCheckBox>
#include <m3kte.h>
// Forward declarations вместо include
class M3KTE;
class AdcGraphDialog;
// Дефайны для адресов коилов
#define COIL_DEBUG_MODE 555
#define COIL_CONTINUOUS_CALL 571
#define COIL_CALIBRATE_CALL 572
#define COIL_POLL_TE_CALL 573
#define COIL_RESET_KEYS_CALL 574
#define COIL_RESET_DEFAULT_CALL 576
#define COIL_HARDFAULT_CALL 586
#define COIL_LED_TEST_ENABLE 587
// Тест дискретных сигналов
#define COIL_DISC_WORK_TEST 588
#define COIL_DISC_WARN_TEST 589
#define COIL_DISC_ERR_TEST 590
// Тест светодиодов
#define COIL_LED_CONNECT_TEST 591
#define COIL_LED_WORK_TEST 592
#define COIL_LED_WARN_TEST 593
#define COIL_LED_ERR_TEST 594
#define COIL_LED_VH1_TEST 595
#define COIL_LED_VH2_TEST 596
#define COIL_LED_VH3_TEST 597
// Адреса для чтения состояний ошибок питания
#define COIL_READ_ERR_24V 600 // Чтение ошибки 24В
#define COIL_READ_ERR_5V 601 // Чтение ошибки 5В
#define COIL_READ_ERR_5VSCI 602 // Чтение ошибки 5Vsci
#define COIL_READ_ERR_5VA 603 // Чтение ошибки 5VA
#define REGISTER_TE_NUMB 564
namespace Ui {
class DebugTerminalDialog;
}
class DebugTerminalDialog : public QDialog
{
Q_OBJECT
public:
explicit DebugTerminalDialog(QWidget *parent = nullptr);
~DebugTerminalDialog();
AdcGraphDialog *m_adcGraphDialog;
void setDebugTerminalCoil(int enable);
void updateConnectionStatus(int boardId, bool connected);
void setBoardActive(int boardId, bool active);
void updateBoardStates(bool activeBoards[4]);
void setModbusDevice(QModbusClient *device);
void setGraphUpdateInterval(int milliseconds);
void writeTENumber(int boardId, int teNumber);
void openAdc(int boardID, int teNumber);
void setMainTerm(M3KTE* term);
public slots:
void boardDebugReading(int boardID);
void setScanBoardActive(bool flag, int boardID);
void offAllBoard();
protected:
void showEvent(QShowEvent *event) override;
void closeEvent(QCloseEvent *event) override;
private slots:
void on_buttonBox_clicked(QAbstractButton *button);
// Плата 1
void on_continiusCallChkBox_1_stateChanged(int state);
void on_calibrateCallChkBox_1_stateChanged(int state);
void on_pollTECallChkBox_1_stateChanged(int state);
void on_resetKeyCallChkBox_1_stateChanged(int state);
void on_resetDefaultCallChkBox_1_stateChanged(int state);
void on_getHardfaultCallChkBox_1_stateChanged(int state);
void on_enableLedTestChkBox_1_stateChanged(int state);
void on_discWorkTestChkBox_1_stateChanged(int state);
void on_discWarnTestChkBox_1_stateChanged(int state);
void on_discErrTestChkBox_1_stateChanged(int state);
void on_discErr24TestChkBox_1_stateChanged(int state);
void on_discErr5TestChkBox_1_stateChanged(int state);
void on_discErr5VsciTestChkBox_1_stateChanged(int state);
void on_discErr5VATestChkBox_1_stateChanged(int state);
void on_ledWorkTestChkBox_1_stateChanged(int state);
void on_ledWarnTestChkBox_1_stateChanged(int state);
void on_ledErrTestChkBox_1_stateChanged(int state);
void on_ledConnectTestChkBox_1_stateChanged(int state);
void on_ledVH1TestChkBox_1_stateChanged(int state);
void on_ledVH2TestChkBox_1_stateChanged(int state);
void on_ledVH3TestChkBox_1_stateChanged(int state);
// Плата 2
void on_continiusCallChkBox_2_stateChanged(int state);
void on_calibrateCallChkBox_2_stateChanged(int state);
void on_pollTECallChkBox_2_stateChanged(int state);
void on_resetKeyCallChkBox_2_stateChanged(int state);
void on_resetDefaultCallChkBox_2_stateChanged(int state);
void on_getHardfaultCallChkBox_2_stateChanged(int state);
void on_enableLedTestChkBox_2_stateChanged(int state);
void on_discWorkTestChkBox_2_stateChanged(int state);
void on_discWarnTestChkBox_2_stateChanged(int state);
void on_discErrTestChkBox_2_stateChanged(int state);
void on_discErr24TestChkBox_2_stateChanged(int state);
void on_discErr5TestChkBox_2_stateChanged(int state);
void on_discErr5VsciTestChkBox_2_stateChanged(int state);
void on_discErr5VATestChkBox_2_stateChanged(int state);
void on_ledWorkTestChkBox_2_stateChanged(int state);
void on_ledWarnTestChkBox_2_stateChanged(int state);
void on_ledErrTestChkBox_2_stateChanged(int state);
void on_ledConnectTestChkBox_2_stateChanged(int state);
void on_ledVH1TestChkBox_2_stateChanged(int state);
void on_ledVH2TestChkBox_2_stateChanged(int state);
void on_ledVH3TestChkBox_2_stateChanged(int state);
// Плата 3
void on_continiusCallChkBox_3_stateChanged(int state);
void on_calibrateCallChkBox_3_stateChanged(int state);
void on_pollTECallChkBox_3_stateChanged(int state);
void on_resetKeyCallChkBox_3_stateChanged(int state);
void on_resetDefaultCallChkBox_3_stateChanged(int state);
void on_getHardfaultCallChkBox_3_stateChanged(int state);
void on_enableLedTestChkBox_3_stateChanged(int state);
void on_discWorkTestChkBox_3_stateChanged(int state);
void on_discWarnTestChkBox_3_stateChanged(int state);
void on_discErrTestChkBox_3_stateChanged(int state);
void on_discErr24TestChkBox_3_stateChanged(int state);
void on_discErr5TestChkBox_3_stateChanged(int state);
void on_discErr5VsciTestChkBox_3_stateChanged(int state);
void on_discErr5VATestChkBox_3_stateChanged(int state);
void on_ledWorkTestChkBox_3_stateChanged(int state);
void on_ledWarnTestChkBox_3_stateChanged(int state);
void on_ledErrTestChkBox_3_stateChanged(int state);
void on_ledConnectTestChkBox_3_stateChanged(int state);
void on_ledVH1TestChkBox_3_stateChanged(int state);
void on_ledVH2TestChkBox_3_stateChanged(int state);
void on_ledVH3TestChkBox_3_stateChanged(int state);
// Плата 4
void on_continiusCallChkBox_4_stateChanged(int state);
void on_calibrateCallChkBox_4_stateChanged(int state);
void on_pollTECallChkBox_4_stateChanged(int state);
void on_resetKeyCallChkBox_4_stateChanged(int state);
void on_resetDefaultCallChkBox_4_stateChanged(int state);
void on_getHardfaultCallChkBox_4_stateChanged(int state);
void on_enableLedTestChkBox_4_stateChanged(int state);
void on_discWorkTestChkBox_4_stateChanged(int state);
void on_discWarnTestChkBox_4_stateChanged(int state);
void on_discErrTestChkBox_4_stateChanged(int state);
void on_discErr24TestChkBox_4_stateChanged(int state);
void on_discErr5TestChkBox_4_stateChanged(int state);
void on_discErr5VsciTestChkBox_4_stateChanged(int state);
void on_discErr5VATestChkBox_4_stateChanged(int state);
void on_ledWorkTestChkBox_4_stateChanged(int state);
void on_ledWarnTestChkBox_4_stateChanged(int state);
void on_ledErrTestChkBox_4_stateChanged(int state);
void on_ledConnectTestChkBox_4_stateChanged(int state);
void on_ledVH1TestChkBox_4_stateChanged(int state);
void on_ledVH2TestChkBox_4_stateChanged(int state);
void on_ledVH3TestChkBox_4_stateChanged(int state);
signals:
void coilValueChanged(int boardID, int coil, int value);
void writeRegister(int boardID, int reg, int value);
void readCoil(int boardID, int coil, QModbusReply *reply);
private:
Ui::DebugTerminalDialog *ui;
QModbusClient *m_modbusDevice; // Храним указатель здесь
M3KTE* mainTerm = nullptr;
// Карты для хранения состояний
QMap<int, bool> m_functionCalls; // boardId -> coil -> state
QMap<int, bool> m_discreteTests; // boardId -> coil -> state
QMap<int, bool> m_ledTests; // boardId -> coil -> state
// Номера ТЭ для каждой платы
int m_teNumbers[4] = {0, 0, 0, 0};
struct boardErrorLinks{
bool isActive = false;
QCheckBox* error24V = nullptr;
QCheckBox* error5V = nullptr;
QCheckBox* error5VSCI = nullptr;
QCheckBox* error5VA = nullptr;
};
boardErrorLinks boards[4];
void initializeConnections();
void writeCoil(int boardID, int coil, int value);
//void readCoil(int coil);
void resetAll();
};
#endif // DEBUGTERMINALDIALOG_H

View File

@ -1,26 +1,23 @@
#include "devicesettingsdialog.h"
#include "ui_devicesettingsdialog.h"
#include <QDebug>
#include <QProcess>
#include <QCoreApplication>
DeviceSettingsDialog::DeviceSettingsDialog(QWidget *parent) :
QDialog(parent),
ui(new Ui::DeviceSettingsDialog)
{
ui->setupUi(this);
_currentBoardTimers[0] = ui->spinTimerBoard_1->value();
_currentBoardTimers[1] = ui->spinTimerBoard_2->value();
_currentBoardTimers[2] = ui->spinTimerBoard_3->value();
_currentBoardTimers[3] = ui->spinTimerBoard_4->value();
on_buttonApplyChangeTimer_clicked();
{
_m_timer[0] = ui->spinTimerBoard_1;
_m_timer[1] = ui->spinTimerBoard_2;
_m_timer[2] = ui->spinTimerBoard_3;
_m_timer[3] = ui->spinTimerBoard_4;
}
_currentSpeed = ui->speedBox->currentText().toUInt();
_currentParity = ui->parityBox->currentIndex();
for(int i = 0; i < 4; i++) {
_currentAdrs[i] = i+1;
}
@ -105,17 +102,11 @@ void DeviceSettingsDialog::on_buttonBox_clicked(QAbstractButton *button)
ui->spinTimerBoard_2->setValue(1000);
ui->spinTimerBoard_3->setValue(1000);
ui->spinTimerBoard_4->setValue(1000);
_currentBoardTimers[0] = ui->spinTimerBoard_1->value();
_currentBoardTimers[1] = ui->spinTimerBoard_2->value();
_currentBoardTimers[2] = ui->spinTimerBoard_3->value();
_currentBoardTimers[3] = ui->spinTimerBoard_4->value();
on_buttonApplyChangeTimer_clicked();
ui->speedBox->setCurrentText("31250");
_currentSpeed = ui->speedBox->currentText().toUInt();
ui->parityBox->setCurrentIndex(0);
_currentParity = ui->parityBox->currentIndex();
for(int i = 0; i < 4; i++) {
_currentAdrs[i] = i+1;
}
@ -131,7 +122,7 @@ void DeviceSettingsDialog::on_buttonBox_clicked(QAbstractButton *button)
void DeviceSettingsDialog::initPollForBoard(unsigned boardID, unsigned boardAdr)
{
ui->idPollComboBox->addItem(QString("Плата №%1 (ID %2)").arg(boardID).arg(boardAdr), QVariant(boardID));
ui->idPollComboBox->addItem(QString("Плата №%1 (ID %2)").arg(boardID+1).arg(boardAdr), QVariant(boardID));
}
void DeviceSettingsDialog::updatePollStatus(unsigned boardID, bool status)
@ -141,8 +132,13 @@ void DeviceSettingsDialog::updatePollStatus(unsigned boardID, bool status)
void DeviceSettingsDialog::on_buttonApplyChangePoll_clicked()
{
updatePollStatus(ui->idPollComboBox->currentData().toUInt(), (bool)ui->pollStatusBox->currentIndex());
pollStatusChange* _pollStatusChanged = new pollStatusChange(ui->idPollComboBox->currentData().toUInt(), _currentPollStatus[ui->idPollComboBox->currentData().toUInt()]);
sendPollCommand(ui->idPollComboBox->currentData().toUInt(), (bool)ui->pollStatusBox->currentIndex());
}
void DeviceSettingsDialog::sendPollCommand(unsigned boardID, bool status)
{
updatePollStatus(boardID, status);
pollStatusChange* _pollStatusChanged = new pollStatusChange(boardID, status);
QCoreApplication::postEvent(parent(), _pollStatusChanged);
}

View File

@ -51,6 +51,7 @@ public:
unsigned currentSpeed();
unsigned short currentParity();
void updateSettingsAfterConnection(unsigned tmp_speed, unsigned tmp_parity, unsigned *tmp_adr, bool *ActiveDevices);
void sendPollCommand(unsigned boardID, bool status);
void updatePollStatus(unsigned boardID, bool status);
void initPollForBoard(unsigned boardID, unsigned boardAdr);
void onDisconnect();
@ -64,6 +65,7 @@ signals:
void fourthBoardAdrHasBeenChanged();
private slots:
void on_buttonApplyChangeTimer_clicked();
void on_buttonApplyChangeSpeed_clicked();

View File

@ -176,7 +176,7 @@
<item row="0" column="1">
<widget class="QSpinBox" name="adrSpinBox">
<property name="minimum">
<number>1</number>
<number>0</number>
</property>
<property name="maximum">
<number>247</number>

View File

@ -11,23 +11,25 @@ LineRinger::LineRinger(QWidget *parent) :
for (const auto& port: listPorts) {
ui->comBox->addItem(QString(port.portName() + ": " + port.manufacturer()), QVariant(port.portName()));
}
{
ui->parityControlBox->addItem("No", QVariant(QSerialPort::NoParity));
ui->parityControlBox->addItem("Even", QVariant(QSerialPort::EvenParity));
ui->parityControlBox->addItem("Odd", QVariant(QSerialPort::OddParity));
ui->parityControlBox->addItem("Space", QVariant(QSerialPort::SpaceParity));
ui->parityControlBox->addItem("Mark", QVariant(QSerialPort::MarkParity));
}
{
ui->dataBox->addItem("Data5", QVariant(QSerialPort::Data5));
ui->dataBox->addItem("Data6", QVariant(QSerialPort::Data6));
ui->dataBox->addItem("Data7", QVariant(QSerialPort::Data7));
ui->dataBox->addItem("Data8", QVariant(QSerialPort::Data8));
ui->dataBox->setCurrentIndex(3);
}
{
ui->stopBox->addItem("One", QVariant(QSerialPort::OneStop));
ui->stopBox->addItem("OneAndHalf", QVariant(QSerialPort::OneAndHalfStop));
ui->stopBox->addItem("Two", QVariant(QSerialPort::TwoStop));
}
ui->deviceOnlineView->horizontalHeader()->setVisible(true);
syncColumnHeaders();
ui->deviceOnlineView->setColumnHidden(1, true);
@ -93,10 +95,10 @@ LineRinger::callStatus LineRinger::lineCall()
bool *tmp_isRun = &isRun;
uint tmp_adr = 1;
auto bar = new QProgressDialog(this);
connect(bar, &QProgressDialog::canceled, this, [this, tmp_isRun]() {
connect(bar, &QProgressDialog::canceled, this, [tmp_isRun]() {
*tmp_isRun = true;
});
connect(this, &LineRinger::stopLineCall, this, [this, tmp_isRun]() {
connect(this, &LineRinger::stopLineCall, this, [tmp_isRun]() {
*tmp_isRun = true;
});
bar->setLabelText(tr("Поиск устройств... Текущий адрес: %1").arg(tmp_adr));
@ -107,7 +109,6 @@ LineRinger::callStatus LineRinger::lineCall()
bar->setValue(tmp_adr);
bar->setLabelText(tr("Поиск устройств... Текущий адрес: %1/247").arg(tmp_adr));
auto *reply = modbusDevice->sendRawRequest(readDeviceBasicIdentification, tmp_adr);
//auto *reply = modbusDevice->sendReadRequest(*_unit, tmp_adr);
//Запрос типа устройства.
if(reply == nullptr) {
QMessageBox::warning(this, "Ошибка при сканировании.", QString("%1").arg(modbusDevice->errorString()));
@ -171,10 +172,6 @@ LineRinger::callStatus LineRinger::lineCall()
return callStatus::INTERRUPT;
} else if(!isRun) {
if(regularReply->error()!=QModbusDevice::NoError) {
// QMessageBox::warning(this, "Ошибка при сканировании.", QString("%1: %2").arg(regularReply->error()).arg(regularReply->errorString()));
// bar->close();
// bar->deleteLater();
// return callStatus::ERROR;
regularReplyError = true;
regularReplyErrorString = QString("%1: %2").arg(regularReply->error()).arg(regularReply->errorString());
}
@ -237,12 +234,10 @@ void LineRinger::on_ringButton_clicked()
emit stopLineCall();
});
bar->setValue(0);
ui->deviceOnlineView->setColumnHidden(1, false);
modbusDevice->disconnectDevice();
for (int i = 0; i < ui->baudRateBox->count(); i++) {
bar->setValue(i+1);
modbusDevice->setConnectionParameter(QModbusDevice::SerialBaudRateParameter,
ui->baudRateBox->itemText(i).toInt(nullptr, 10));
if (!modbusDevice->connectDevice()) {

File diff suppressed because it is too large Load Diff

View File

@ -7,6 +7,7 @@
#include <QtSerialBus/QModbusDataUnit>
#include "writeregistermodel.h"
#include "debugterminaldialog.h"
#include "devicesettingsdialog.h"
#include "multiplesettings.h"
#include "scanboard.h"
@ -15,6 +16,7 @@
#include <QModbusTcpClient>
#include <QModbusRtuSerialMaster>
#include <QHBoxLayout>
#include <QTimer>
#include <QMessageBox>
#include <QProgressDialog>
@ -36,10 +38,15 @@
extern "C" __declspec(dllexport) QWidget* init(QWidget *parent);
QT_BEGIN_NAMESPACE
namespace Ui { class M3KTE; class SettingsDialog;}
namespace Ui { class M3KTE; class SettingsDialog; class DebugTerminalDialog;}
QT_END_NAMESPACE
#define LOCAL_STATE_POLL 0
#define LOCAL_STATE_WARN 1
#define LOCAL_STATE_ERR 2
class SettingsDialog;
class DebugTerminalDialog;
class WriteRegisterModel;
class M3KTE : public QMainWindow
@ -54,84 +61,67 @@ private:
bool pingNetworkDevices();
void beginScanBoards();
void stopScanBoard();
void displayResultOfScan(QModbusReply *reply, int boardID);
void displayResultOfScan(QModbusReply *reply, int boardID, int status);
void applySettingsFromScan(QModbusReply *reply);
void multipleRegWrite();
void multipleRegSend();
void writeSingleCoil(int boardId, int coilAddress, bool value);
void writeSingleRegister(int boardId, int regAddress, quint16 value);
bool autoBaudRateScan();
void selectPositionOnTree(unsigned index);
signals:
void successAtCheckBoards();
void errorAtCheckBoards();
void boardReading(int boardID);
private slots:
void clearLogger();
void logError(const QString &errorPlace, const QString &errorString, unsigned errorCount, const QString &description);
void slotmultipleRegWrite();
void slotmultipleRegWriteAndSend();
void onConnectClicked();
void onReadButtonClicked();
void onReadReady();
void checkAdrChange(QModbusReply *reply, unsigned boardNum);
void onWriteButtonClicked();
void onSelectedBoardChanged(int index);
void onWriteTableChanged(int index);
void checkBoards();
void onSpeedUpdate();
void revertToOldSpeedAndRestart();
void onParityUpdate();
void boardScan(unsigned boardID);
public:
M3KTE(QWidget *parent = nullptr);
~M3KTE();
QModbusClient* getModbusDevice() const { return modbusDevice; }
QModbusReply* readSingleCoil(int boardID, int coilAddress);
private:
Ui::M3KTE *ui;
QTableWidget *loggerTable = nullptr;
int CurrentConnectedDevice = 0;
//int DeviceOnNetwork[4];
QProgressBar *m_ProgressBar[320];
QPushButton *ThePhantomMenace[320];
QModbusReply *lastRequest = nullptr;
QModbusClient *modbusDevice = nullptr;
DeviceSettingsDialog *m_deviceSettingsDialog = nullptr;
DebugTerminalDialog *m_debugTerminalDialog = nullptr;
SettingsDialog *m_settingsDialog = nullptr;
MultipleSettings *m_regMultipleSettings = nullptr;
ScanBoard *m_scanBoard = nullptr;
LineRinger *m_lineRinger = nullptr;
QGroupBox *Boards_Fields[4];
//WriteRegisterModel *writeModel = nullptr;
struct StatusM3KTE{
bool Warnings[4];
bool Accidents[4];
}statusM3KTE;
unsigned error_terminal;
struct BoardModbusRegisters {
bool isActive = false;
bool pollIsActive = true;
int adr;
int _tmp_adr;
bool coil[85];
unsigned HR[170];
unsigned error_W = 0;
unsigned error_A = 0;
unsigned error_modbus = 0;
@ -141,19 +131,17 @@ private:
unsigned error_TX = 0;
unsigned error_adr_change = 0;
unsigned error_cmd_change = 0;
QLabel *timerData = nullptr;
QLabel *timerStatus = nullptr;
QLabel *localError = nullptr;
QCheckBox *localState[3] = {nullptr, nullptr, nullptr};
WriteRegisterModel *ModbusModelCoil;
WriteRegisterModel *ModbusModelHoldingReg;
QTimer *boardScanners;
bool isScan = false;
QElapsedTimer timerToStatusResponse;
QElapsedTimer timerToDataResponse;
}Boards[4];
union statusreg {
struct parsingFields {
unsigned accident:1;

File diff suppressed because it is too large Load Diff

View File

@ -4,6 +4,7 @@
int main(int argc, char *argv[])
{
qputenv("QT_FATAL_WARNINGS", "0"); // отключает падение от ASSERT
QApplication a(argc, argv);
M3KTE w;
w.show();

View File

@ -6,9 +6,9 @@ MultipleSettings::MultipleSettings(QWidget *parent) :
ui(new Ui::MultipleSettings)
{
ui->setupUi(this);
ui->buttonBox->button(QDialogButtonBox::Ok)->setText("Записать");
ui->buttonBox->button(QDialogButtonBox::SaveAll)->setText("Записать и установить");
selectedBoard = 0;
}
MultipleSettings::~MultipleSettings()
@ -37,14 +37,22 @@ void MultipleSettings::on_buttonBox_clicked(QAbstractButton *button)
void MultipleSettings::on_regTypeBox_currentIndexChanged(int index)
{
short maxRange = 0;
switch (ui->boardBox->currentIndex()) {
case 3:
maxRange = 64;
break;
default:
maxRange = 84;
}
switch (index) {
case 0:
case 1:
ui->adrBox->setRange(0, 84);
ui->adrBox->setRange(0, maxRange);
ui->adrBox->setValue(0);
break;
case 2:
ui->adrBox->setRange(85, 170);
ui->adrBox->setRange(85, 85+maxRange);
ui->adrBox->setValue(85);
break;
}
@ -52,14 +60,8 @@ void MultipleSettings::on_regTypeBox_currentIndexChanged(int index)
void MultipleSettings::on_boardBox_currentIndexChanged(int index)
{
switch (index) {
case 3:
ui->countBox->setRange(1, 65-ui->adrBox->value()+85*ui->regTypeBox->currentIndex()/2);
break;
default:
ui->countBox->setRange(1, 85-ui->adrBox->value()+85*ui->regTypeBox->currentIndex()/2);
}
selectedBoard = index;
on_regTypeBox_currentIndexChanged(ui->regTypeBox->currentIndex());
}
void MultipleSettings::on_adrBox_valueChanged(int arg1)

View File

@ -40,6 +40,7 @@ private:
unsigned countReg;
short typeReg;
short boardId;
short selectedBoard;
};
#endif // MULTIPLESETTINGS_H

View File

@ -6,7 +6,6 @@ SettingsDialog::SettingsDialog(QWidget *parent) :
ui(new Ui::SettingsDialog)
{
ui->setupUi(this);
ui->parityCombo->setCurrentIndex(0);
#if QT_CONFIG(modbus_serialport)
ui->baudCombo->setCurrentText(QString::number(m_settings.baud));
@ -16,8 +15,6 @@ SettingsDialog::SettingsDialog(QWidget *parent) :
#endif
ui->timeoutSpinner->setValue(m_settings.responseTime);
ui->retriesSpinner->setValue(m_settings.numberOfRetries);
connect(ui->AcceptOrRejectButtonBox, &QDialogButtonBox::accepted, [this]() {
#if QT_CONFIG(modbus_serialport)
m_settings.portName = ui->comBox->currentData().toString();
@ -30,7 +27,6 @@ SettingsDialog::SettingsDialog(QWidget *parent) :
#endif
m_settings.responseTime = ui->timeoutSpinner->value();
m_settings.numberOfRetries = ui->retriesSpinner->value();
hide();
});
}

View File

@ -24,7 +24,7 @@ public:
int baud = 115200;
int dataBits = QSerialPort::Data8;
int stopBits = QSerialPort::OneStop;
int responseTime = 50;
int responseTime = 1000;
int numberOfRetries = 0;
};

View File

@ -29,16 +29,12 @@ QVariant WriteRegisterModel::data(const QModelIndex &index, int role) const
Q_ASSERT(m_holdingRegisters.count() == RowCount);
if (index.column() == NumColumn && role == Qt::DisplayRole)
return QString::number(index.row());
if (index.column() == NameColumn && role == Qt::DisplayRole)
return QString("ТЭ%1").arg(index.row()%(RowCount/(1+isHR))+1);
if (index.column() == CoilsColumn && role == Qt::CheckStateRole) // coils
return m_coils.at(index.row()) ? Qt::Checked : Qt::Unchecked;
if (index.column() == HoldingColumn && role == Qt::DisplayRole) // holding registers
return QString("0x%1").arg(QString::number(m_holdingRegisters.at(index.row()), 16));
return QString("%1 В").arg(QString::number((double)((double)m_holdingRegisters.at(index.row())/(double)1000), 'f', 3));
if(index.column() == CurrentUColumn && role == Qt::DisplayRole)
return QString("%1 В").arg(QString::number((double)((double)m_currentU.at(index.row())/(double)1000), 'f', 3));
return QVariant();
@ -73,7 +69,6 @@ bool WriteRegisterModel::setData(const QModelIndex &index, const QVariant &value
return false;
Q_ASSERT(m_coils.count() == RowCount);
Q_ASSERT(m_holdingRegisters.count() == RowCount);
if (index.column() == CoilsColumn && role == Qt::CheckStateRole) { // coils
auto s = static_cast<Qt::CheckState>(value.toUInt());
s == Qt::Checked ? m_coils.setBit(index.row()) : m_coils.clearBit(index.row());
@ -82,10 +77,9 @@ bool WriteRegisterModel::setData(const QModelIndex &index, const QVariant &value
}
if (index.column() == HoldingColumn && role == Qt::EditRole) { // holding registers
bool result = false;
quint16 newValue = value.toString().toUShort(&result, 16);
quint16 newValue = value.toString().toUShort(&result, 10);
if (result)
m_holdingRegisters[index.row()] = newValue;
emit dataChanged(index, index);
return result;
}
@ -96,16 +90,13 @@ Qt::ItemFlags WriteRegisterModel::flags(const QModelIndex &index) const
{
if (!index.isValid() || index.row() >= RowCount || index.column() >= ColumnCount)
return QAbstractTableModel::flags(index);
Qt::ItemFlags flags = QAbstractTableModel::flags(index);
if ((index.row() < m_address) || (index.row() >= (m_address + m_number)))
flags &= ~Qt::ItemIsEnabled;
if (index.column() == CoilsColumn) // coils
return flags | Qt::ItemIsUserCheckable;
if (index.column() == HoldingColumn) // holding registers
return flags | Qt::ItemIsEditable;
return flags;
}

BIN
MZKT_Test_Terminal.exe Normal file

Binary file not shown.

Binary file not shown.