2

LinkedListの実装を作成しました(独学の目的で)。私はそれを実行させましたが、出力結果はちょっと奇妙です...コードは次のとおりです。

#include "stdafx.h"
#include <iostream>
#include <stdio.h>

using namespace std;

template <class T>
class Node{
T datum;
Node<T> *_next;
public:
 Node(T datum)
{
    this->datum = datum;
    _next = NULL;
}
 void setNext(Node* next)
 {
     _next = next;
 }
 Node* getNext()
 {
     return _next;
 }
 T getDatum()
 {
     return datum;
 }          
};

template <class T>

class LinkedList{
Node<T> *node;
Node<T> *currPtr;
Node<T> *next_pointer;
int size;
public:
LinkedList(T datum)
  {
      node = new Node<T>(datum);
      currPtr = node;  //assignment between two pointers.
      next_pointer = node;
      size = 1;
  }
LinkedList* add(T datum)  // return pointer type.
{
   Node<T> *temp = new Node<T>(datum);
   currPtr->setNext(temp);
   currPtr = temp;
   size++;
   cout<<datum<<" is added.";
   return this; //pointer type specification
}
T next()
{
   T data = (*next_pointer).getDatum();
   cout<<data<<" is visited.";
   next_pointer = next_pointer->getNext();
   return data;
}
int getSize()
{
   return size;
}   
};

今私はLinkedListを使おうとしました:

int main()
{
LinkedList<int> *list = new LinkedList<int>(1);
list->add(2)->add(3)->add(4);
cout<<endl;

printf("%d %d %d %d",list->next(),list->next(),list->next(),list->next());  \\One

cout<<list->next()<<"\n"<<list->next()<<"\n"<<list->next()<<"\n"<<list->next()<<endl; \\Two

cout<<list->next()<<endl;\\Three
cout<<list->next()<<endl;
cout<<list->next()<<endl;
cout<<list->next()<<endl;
}

出力1つはデータを表示します:4 3 21.2つは43​​21を表示します。3つは1234を表示します。実行中に何が起こったのかわかりません。それらはすべて123 4シーケンスでデータを出力する必要があります...私はあなたの助けに感謝します!ありがとう!

4

1 に答える 1

10

パラメータが評価される順序は指定されていないため、次のようになります。

printf("%d %d %d %d",list->next(),list->next(),list->next(),list->next());

最後のlist->next()最初、または真ん中のものを評価できます...

編集:それが実際のコードであるとは思えないので、私が想定していることに取り組むだけで問題になります:http: //ideone.com/avEv7

于 2012-06-21T14:22:57.440 に答える