I got stuck for two hours trying to understand what is happening in this simple C++ test program, but still did not get it. It should just receive three strings as inputs, insert them into a stack and finally print all elements of this same stack.
#include <iostream>
#include <stack>
#include <cstring>
using namespace std;
int main(){
stack<char*> stk;
int stringLength;
for (int i=0; i<3; i++){
char new_element[200];
scanf("%s", new_element);
stringLength = strlen(new_element);
stk.push(new_element);
}
cout << "Stack content: ";
while(!stk.empty()){
cout << stk.top() << " ";
stk.pop();
}
cout << endl;
}
The strange thing is that the final output is the same element (the last one added) printed 3 times, which makes no sense to me.
For example, if the inputs are:
John
Mary
Rick
then the current output is
Rick
Rick
Rick
Can anyone help me understanding and fixing this?
You're pushing the same pointer in your stack object.
What's worse is, you're pushing system stack pointers, so if you were to use the stack from outside your function, you'd get an access violation (segfault in Linux) and crash. In your case you aren't using them from outside though, since the stack object is also on the stack.
Anyway, there's two quick fixes:
Write proper code: use
string
and let the compiler figure out copying them around and cleaning them up as needed.Don't write proper code: use
strdup
to get an unique string pointer. You may or may not want to free them at some point, that always seems optional for people opting for this route.