I am writing a template class String (just for learning purposes) and have a small problem. If T is wchar_t and U a char and vice versa, what am I missing for this method to work?
template<typename U>
String<T> operator + (const U* other)
{
String<T> newString;
uint32_t otherLength = length(other);
uint32_t stringLength = m_length + otherLength;
uint32_t totalLength = stringLength * sizeof(T) + sizeof(T);
T *buffer = new T[totalLength];
memset(buffer, 0, totalLength);
memcpy(buffer, m_value, m_length * sizeof(T));
newString.m_value = buffer;
newString.m_length = stringLength;
memcpy(newString.m_value + m_length, other, otherLength * sizeof(T));
return newString;
}
Ok, Jared below suggested a solution, so something like this (there are errors, I know, just a template)?
template<typename U>
String<T> operator + (const U* other)
{
String<T> newString;
uint32_t sizeOfT = sizeof(T); // wchar_t is 4
uint32_t sizeOfU = sizeof(U); // char is 1
T* convertedString;
int i = 0;
while (*other != 0)
{
convertedString[i] = ConvertChar(*other);
other++;
i++;
}
return newString;
}
template <typename U>
T ConvertChar(U character)
{
}
Right now your code is essentially using memory copies when converting from a
U*
toString<T>
. That's unfortunately not going to work becausewchar_t
andchar
have different memory layouts. In particular awchar_t
usually takes up 2 bytes whilechar
is a singlebyte
. What you need to establish here is a proper conversion function which should be applied to every item in the string