Re: Matrix operations
On Jul 23, 8:45 am, et al. <etal.nowh...@gmail.com> wrote:
Anyway, I'm stuck with deciding how I should implement things here,
mainly regarding operator overloading.
Some general advice first: google for "operator overloading"
and check out the Parashift link that comes up, and probably
wikibooks. Also, there have been a number of threads in this
newsgroup about good books to start out with. I'd probably
look for that, too.
<snip>
Before that, is my copy constructor well defined?
In C++ speak you haven't defined it, here. Just declared
it. Anyway, the usual declaration would be
cmatrix(const cmatrix&);
i.e., drop the explicit and add const. The const will
allow you to copy from a wider range of sources. The
explicit is probably not necessary unless you have some
specific reason to do so.
And a silly question... does the operator=
need a reference, or is it ok to leave it as I wrote?
It doesn't, but it's (more?) common to write it as
accepting a reference. If you're going to pass by value
as you've done, you don't need const. The argument is
your own private copy that exists for the function call
only. You can do what you want to it.
The problem is... How should I declare the operator* ?
Inside the class:
cmatrix operator*(const cmatrix& Q) const;
Or you have the option of doing a global overload outside
the class
cmatrix operator*(const cmatrix& N, const cmatrix& Q);
Quite often these operators call their assignment
equivalents. For example
cmatrix operator*(const cmatrix& N, const cmatrix& Q) {
cmatrix M(N); // make a copy
M *= Q; // call the mul-and-assign operator
return M;
}
Another problem is with cvector, derived from cmatrix. Will the same
operator work? Like:
v = M * w;
You're going to need to write a separate assignment operator,
but sure.
or worse, what if I want to overwrite a cvector or cmatrix?
v = M * v;
The result of M * v is a temporary, which is then used for
the assignment. The temp doesn't get a name, but it's a
distinct object from v and so "overwriting" does not occur.
Note that you *can* overwrite in this sense
v = v;
But usually in operator=(...) you just check that the source
is not the same as the *this object before making a useless
copy.
--Jonathan