#include<iterator>
#include<iostream>
#include<algorithm>
using namespace std;
class Decmal
{
public:
explicit Decmal(size_t size = 5);
Decmal(const Decmal&);
~Decmal(){ delete[] data; }
size_t get_size() const
{
return size;
}
// ...
private:
size_t size;
unsigned char* data = nullptr;
// ...
private:
void resize(size_t sz);
friend istream& operator>>(istream& is, Decmal& dec);
friend ostream& operator<<(ostream& os, const Decmal& dec);
};
Decmal::Decmal(size_t size) : size{ size }, data(new unsigned char[size])
{
fill_n(data, size, '0');
}
Decmal::Decmal(const Decmal& rh)
{
size = rh.size;
delete[] data;
data = new unsigned char[size];
copy_n(rh.data, size, data);
}
void Decmal::resize(size_t new_size)
{
if(size < new_size)
{
delete[] data;
data = new unsigned char[new_size];
size = new_size;
}
}
istream& operator>>(istream& is, Decmal& dec)
{
char c = 0;
size_t sz = 0;
while(is.read(&c, 1) && c != '\n') // \n == 10 \r == 13
{
if(sz == dec.size)
{
unsigned char* tmp = new unsigned char[sz + 1];
copy_n(dec.data, dec.size, tmp);
dec.resize(sz + 1);
copy_n(tmp, dec.size, dec.data);
delete[] tmp;
}
dec.data[sz] = c;
++sz;
}
return is;
}
ostream & operator<<(ostream& os, const Decmal& dec)
{
copy_n(dec.data, dec.size, ostream_iterator<char>{os});
return os;
}
int main()
{
Decmal x;
cin >> x;
cout << x.get_size() << " " << x << "\n";
Decmal y = x;
cout << y << endl;
system("pause");
}