0

使用 Qt,我试图通过来自 gui 的输入写入我的结构。

我的 target.h 文件:

struct Target{
    double heading;
    double speed;
};

我的cp:

#include <target.h>

struct Target myship;

myship.heading = 0;
myship.speed = 0;

我使用 QDial 作为标题作为示例。我可以将 QDial 的值写入文本文件,但我想利用结构。

我想知道的是如何访问,以便我可以写入我的 mainwindow.cpp 中的结构?

我看到我可以像这样访问 mainwindow.cpp 中的目标结构:

Target.heading

但它不会找到“myship”。我原以为我可以做到

myship.heading...

或者

Target.myship.heading...

但两者都不起作用。当我做 Target.heading 它给了我错误

expected unqualified-id before '.' token

我的最终目标是让我的 gui(在这种情况下为 QDial)写入结构,然后让我的 gui(QLabel)显示已写入的内容。如前所述,我有一个文本文件的读/写工作,但我目前只写出一个值,这不会满足我的要求。

我是 Qt 和一般结构的新手,所以我的猜测是我错过了一些非常微不足道的东西,或者我的理解完全不正确。

4

1 回答 1

2

struct您在变量定义中使用的前缀myship是 C-ism。它不属于 C++。你应该定义myship为:

Target myship;

此外,由于是 2016 年,您应该使用 C++11 所拥有的一切来让您的生活更轻松。非静态/非 const 类/结构成员的初始化非常有帮助,并且在使用结构时避免了样板。因此,更喜欢:

// target.h
#include <QtCore>
struct Target {
  double heading = 0.0;
  double speed = 0.0;
};
QDebug operator(QDebug dbg, const Target & target);

// target.cpp
#include "target.h"
QDebug operator(QDebug dbg, const Target & target) {
  return dbg << target.heading << target.speed;
}

// main.cpp
#include "target.h"
#include <QtCore>

int main() {
  Target ship;
  qDebug() << ship;
}

请注意,您应该将自己的标题包含为#include "header.h",而不是#include <header.h>。后者是为系统头文件保留的。

没有 Qt

#include <iostream>
struct Target {
  double heading = 0.0;
  double speed = 0.0;
};

int main() {
  Target ship;
  std::cout << ship.heading << " " << ship.speed << std::endl;
}
于 2016-07-12T17:25:30.980 回答