Introduction to the problem: I'm making a program to track flight paths of airports using linked lists. For example if the data set is
(Austin - Dallas, Dallas - Houston)
and you try to find a flight
(Austin - Houston)
it will calculate that you need to take the flightpath:
(Austin - Dallas - Houston)
The way my solution works (if I can figure out how to do this) is that I have an outer linked list composed of OuterNode
's which each contain an inner linked list of flights.
The inner linked list is composed of InnerNode
's which contain pointers to the outer nodes (aka the flight destination).
In theory it would make a lot of things easier to iterate through without having to keep copying over data through strings.
In my header too many of my things require each other and can’t have the implementation in the right order.
(this is all in the header of the innerlist class)
struct OuterNode {
InnerList flights;
int name;
OuterNode* next;
};
struct InnerNode {
OuterNode* dest;
int price;
InnerNode* next;
};
class InnerList
{
public:
InnerList();
~InnerList();
void add(InnerNode*);
private:
InnerNode* innerhead;
};
So basically:
OuterNode
– needs InnerList
(no definition yet)
InnerNode
– needs OuterNode
InnerList
– needs InnerNode
And currently the error is that InnerList
doesn’t exist when OuterNode
needs to make one.
How can I fix this so that everything finds what it needs?
Is there some creative use of templates or something that I could use to fix this?
No need for templates usage, you can simply restructure your code a bit, and introduce a forward declaration for
struct InnerNode;
LIVE DEMO
PLEASE NOTE:
Instead of making your own linked list structure, you also might consider using a
std::list<InnerNode*> flights;
or even astd::vector<InnerNode*> flights;
member in yourOuterNode
struct.Though these solutions need to handle the instances of
InnerNode
's properly, by means of memory management,std::list<std::shared_ptr<InnerNode>>
orstd::vector<std::shared_ptr<InnerNode>>
looks like the right way to go.