I'm working with c++ and XE8. Given the following code:
String __fastcall RemoveCharsFromString(String &str, const String &c)
{
for(unsigned int i=0; i<c.Length(); ++i)
{
str.Delete(std::remove(str[0], str.LastChar(), c[i]), str.LastChar());
}
}
Received errors:
Using
str.Delete(remove(str[0], str.LastChar(), c[i]), str.LastChar());
results in aCannot convert 'int' to 'const char *'
error inside the for loop.
Using
str.Delete(std::remove(str[0], str.LastChar(), c[i]), str.LastChar());
results in aCould not find a match for 'remove(wchar_t,wchar_t*,wchar_t)'
error inside the for loop.
Searching SO and the web, it's my understanding this error is usually received when code is written with single quotes when double quotes should have been used. I don't believe that scenario is applicable in this case.
The return type of String
is Embarcadero's UnicodeString
. Details can be found here: RAD Studio VCL Reference - UnicodeString Class
In C++Builder,
String
refers toSystem::String
, which is an alias forSystem::UnicodeString
in XE8.There are a lot of mistakes in your code.
The
System::String::Delete()
method expects an index and a count as input, but that is not what you are trying to pass to it. You are expectingDelete()
to work like the STLstd::wstring::erase()
method, and that is simply not the case.You are not taking into account that
System::String::operator[]
is 1-based. It is not 0-based, like your code is assuming.The
System::String::LastChar()
method returns a pointer to the last UTF-16 encoded Unicode character in the string. It does not return a pointer to the string's null terminator, like your code is assuming.You are calling the STL
std::remove()
algorithm that takes a range ofiterator
s as input, shifts all copies of the specified value to the end of the range, and then returns a newiterator
to where the "removed" values have been moved to within the range (so they can beerase()
'd from the container that owns theiterator
s). You cannot mixSystem::String::Delete()
andstd::remove()
the way you are attempting to do. If you really want to usestd::replace()
, you need to use it more like this instead:That being said, Embarcadero's RTL has its own
System::Sysutils::StringReplace()
function that you can use instead ofstd::replace()
:Or, if you need to take UTF-16 surrogates into account in the
c
string (whichstd::remove()
does not account for):