在 C++ 中返回两个字符串

Returning two strings in C++

我正在为即将举行的 C++ 考试做练习。考虑以下练习:

A travel agency uses lists to manage its trips. For each trip the agency registers its point of departure, point of arrival, distance and time/duration

1) Define the necessary structures to represent a list of trips

2) Write a function that, given integer i returns the point of departure and point of arrival of the trip in position i

定义结构很简单:

struct list{
    char departure[100];
    char arrival[100];
    double distance;
    double time;
    list* next = NULL;
};

我的问题是函数。实际工作中,找到第i行很容易。但是我怎样才能return两个字符arrays/strings出发和到达呢?如果这是我考试中的一道题,我会这样解决的:

typedef list* list_ptr;

list_ptr get_trip(list_ptr head, const int i){
    if(i<0 || head==NULL){
        return NULL;
    }

    for(int k = 0; k<i;k++){
        head = head->next;
        if(head==NULL){
            return NULL;
        }
    }

    return head;
}

我正在 return 指向列表元素的指针。然后必须打印出发和到达。通过使用 return 类型为 char* 的函数,我可以很容易地 return 只是出发或到达。我怎样才能正确 return 2个字符串? 我知道有一些方法可以使用 std::tuple 来做到这一点,但我不能使用它,因为我们在讲座中没有它(我们只有真正基本的东西,直到 类)。

如果不使用额外的库就无法 return 两个字符串,我说得对吗?

干杯

好的,首先,您的 list 类型有一些问题。不要在 C++ 中使用 char[] 除非你真的、真的必须这样做(注意:如果你认为你必须这样做,那你可能错了)。 C++ 提供了一个标准库,在其应用程序中非常出色(好吧,与 C 相比),您应该使用它。特别是,我说的是 std::string。您可能对距离和持续时间使用 double 没问题,尽管缺少单位意味着您会玩得很开心。

让我们试试这个:

struct Trip {
    std::string departure;
    std::string arrival;
    double distance_km;
    double duration_hours;
};

现在您可以使用 std::vectorstd::liststd::slist,或滚动您自己的列表。让我们假设最后一个。

class TripList {
  public:
      TripList() = default;

      // Linear in i.
      Trip& operator[](std::size_t i);
      const Trip& operator[](std::size_t i) const;

      void append_trip(Trip trip);
      void remove_trip(std::size_t i);

  private:
      struct Node {
          Trip t;
          std::unique_ptr<Node> next;
      };
      std::unique_ptr<Node> head;
      Node* tail = nullptr;  // for efficient appending
};

我会把它的实现留给你。请注意,list 和 trip 是不同的概念,因此我们正在编写不同的类型来处理它们。

现在你可以写一个简单的函数了:

std::pair<string, string> GetDepartureAndArrival(const TripList& list, std::size_t index) {
    const auto& trip = list[index];
    return {trip.departure, trip.arrival};
}