I'm writing a String class. I'd like to be able to assign my strings such as;
a = "foo";
printf(a);
a = "123";
printf(a);
int n = a; // notice str -> int conversion
a = 456; // notice int -> str conversion
printf(a);
I've already assigned my operator=() method for string to integer conversion. How can I declare another operator=() so that I can do the reverse method?
When I declare another, it seems to override the previous.
String::operator const char *() {
return cpStringBuffer;
}
String::operator const int() {
return atoi(cpStringBuffer);
}
void String::operator=(const char* s) {
ResizeBuffer(strlen(s));
strcpy(cpStringBuffer, s);
}
bool String::operator==(const char* s) {
return (strcmp(cpStringBuffer, s) != 0);
}
//void String::operator=(int n) {
// char _cBuffer[33];
// char* s = itoa(n, _cBuffer, 10);
// ResizeBuffer(strlen(_cBuffer));
// strcpy(cpStringBuffer, _cBuffer);
//}
A single-argument constructor can act as an int->String conversion, whereas a so-called conversion operator does the converse int->String
Note however, that these conversions will happen implicitly and you can easily get bitten. Suppose you would extend this class to also accept
std::string
arguments and conversionsand you would have these two function overloads
Now try and call
fun(String())
. You get a compile error because there are multiple -equally viable- implicit conversions. THat's why C++98 allows the keywordexplicit
in front of single-argument constructors, and C++11 extends that toexplicit
conversion operators.So you would write:
One example where implicit conversion might be legitate is for smart pointer classes that want to convert to
bool
or (if they are templated) fromsmart_pointer<Derived>
tosmart_pointer<Base>
.