Re: simple self-initializing scalar class
On Feb 26, 6:06 am, "Michael D. Berger" <m_d_berger_1...@yahoo.com>
wrote:
I need scalar values that initialize themselves so I wrote:
template <class TYP>
class ScalarT
{
public:
inline ScalarT(TYP init=static_cast<TYP>(0));
inline ~ScalarT();
inline operator TYP&();
private:
TYP val_;
};
#include <ScalarT.i>
with obvious implementations defined in the include file.
Ok? It does seem to work with simple arithmetic with TYP
unsigned or double.
I guess I am leery of operator TYP&() . I haven't seen it before,
but then I don't need any other operators.
Thanks for your advice.
Mike.
Hello
According to C++ committee working draft (N3235) (section 3.9):
Arithmetic types, enumeration types, pointer types,
pointer to member types, std::nullptr_t, and cv-qualified versions
of these types are collectively called scalar types.
I guess, by scalar type, you mainly mean the first two ones:
Arithmetic types and enumeration types and you want to
implement a simple/efficient wrapper around these types:
About your code I can say:
1. In constructor you don't need to static_cast, because the
arithmetic types (integral types and floating-point types)
have appropriate Zero.
2. You don't need to destructor. Because you don't
acquire any resource. The implicitly-generated
version by compiler is perfect. In similar way
you don't need to declare/define copy operations.
3. You need to two kind of accessors:
one return a copy and one return the object itself:
I sometimes use the following code:
// scalar_type.h
#include <iostream>
template<class SCALAR_TYPE>
class Scalar { // a simple wrapper around C++ scalar types
public:
Scalar(const SCALAR_TYPE& t = SCALAR_TYPE()) : t_(t) {}
SCALAR_TYPE operator()() const { return t_; } // get a copy value
SCALAR_TYPE& operator()() { return t_; } // get the original
void operator()(const SCALAR_TYPE& t) { t_ = t; } // set value
private:
SCALAR_TYPE t_;
};
template<class SCALAR_TYPE>
std::ostream& operator<<(std::ostream& os, const Scalar<SCALAR_TYPE>&
st)
{
os << st();
return os;
}
template<class SCALAR_TYPE>
std::istream& operator>>(const std::istream& is, Scalar<SCALAR_TYPE>&
st)
{
is >> st();
return is;
}
// main.cpp
#include "scalar_type.h"
#include <iostream>
int main()
{
using namespace std;
Scalar<int> i; // default ctor
cout << i << endl;
i = 10; // conversion ctor
cout << i << endl;
i(20); // set member function
cout << i << endl;
i()++; // get the original value
cout << i << endl;
Scalar<double> pi;
cin >> pi; // put 3.14 in pi
cout << pi << '\n';
return 0;
}
Of course it is far from complete Value types such as std::string or
std::complex.
HTH,
-- Saeed Amrollahi