我有以下代码:
#include<cstdio>
#include<iostream>
#include<cmath>
using namespace std;
template <class T> class Stack
{
private:
T a[1001];
int i=0,j;
public:
void pop(void)
{
a[i-1]=0.0;
a[i-1]='\0';
}
void push(T &x)
{
a[i++]=x;
}
void push(const char &x)
{
a[i++]=x;
}
void top(void)
{
cout<<a[i-1];
}
};
int main()
{
Stack<char>s1;
s1.push('a');
s1.push('b');
s1.top();
s1.pop();
cout<<"\n";
Stack<int>s2;
s2.push(10);
s2.push(20);
s2.top();
s2.pop();
cout<<"\n";
Stack<double>s3;
s3.push(5.50);
s3.push(7.50);
s3.top();
s3.pop();
cout<<"\n";
return 0;
}
输出:
b
20
7
为什么它显示 7 表示 double 而不是 7.5 ?
当我明确专门针对 double 并且不使用引用运算符时,它运行良好。
void push(double x)
{
a[i++]=x;
}
这为双精度提供了正确的输出。但是,当我这样做时,它会出错。
void push(T x)
{
a[i++]=x;
}
void push(const char &x)
{
a[i++]=x;
}
如何解决这个问题?
如何显示 double 的正确输出?