Wie kann man alle Vorkommen eines Zeichens durch ein anderes Zeichen in std::string
?
Antworten
Zu viele Anzeigen?Ich denke, ich würde die std::replace_if()
Ein einfacher Zeichenersetzer (vom OP angefordert) kann mit Hilfe von Standardbibliotheksfunktionen geschrieben werden.
Für eine In-Place-Version:
#include <string>
#include <algorithm>
void replace_char(std::string& in,
std::string::value_type srch,
std::string::value_type repl)
{
std::replace_if(std::begin(in), std::end(in),
[&srch](std::string::value_type v) { return v==srch; },
repl);
return;
}
und eine Überladung, die eine Kopie zurückgibt, wenn die Eingabe eine const
String:
std::string replace_char(std::string const& in,
std::string::value_type srch,
std::string::value_type repl)
{
std::string result{ in };
replace_char(result, srch, repl);
return result;
}
Das funktioniert! Ich habe etwas Ähnliches für eine Buchladen-App verwendet, bei der das Inventar in einer CSV-Datei (wie eine .dat-Datei) gespeichert wurde. Aber im Falle eines einzelnen Zeichens, d.h. der Ersetzer ist nur ein einzelnes Zeichen, z.B.'|', muss es in Anführungszeichen "|" sein, um nicht eine ungültige Konvertierung const char zu werfen.
#include <iostream>
#include <string>
using namespace std;
int main()
{
int count = 0; // for the number of occurences.
// final hold variable of corrected word up to the npos=j
string holdWord = "";
// a temp var in order to replace 0 to new npos
string holdTemp = "";
// a csv for a an entry in a book store
string holdLetter = "Big Java 7th Ed,Horstman,978-1118431115,99.85";
// j = npos
for (int j = 0; j < holdLetter.length(); j++) {
if (holdLetter[j] == ',') {
if ( count == 0 )
{
holdWord = holdLetter.replace(j, 1, " | ");
}
else {
string holdTemp1 = holdLetter.replace(j, 1, " | ");
// since replacement is three positions in length,
// must replace new replacement's 0 to npos-3, with
// the 0 to npos - 3 of the old replacement
holdTemp = holdTemp1.replace(0, j-3, holdWord, 0, j-3);
holdWord = "";
holdWord = holdTemp;
}
holdTemp = "";
count++;
}
}
cout << holdWord << endl;
return 0;
}
// result:
Big Java 7th Ed | Horstman | 978-1118431115 | 99.85
Ungewöhnlicherweise verwende ich derzeit CentOS, daher ist meine Compiler-Version unten. Die C++-Version (g++), C++98 Standard:
g++ (GCC) 4.8.5 20150623 (Red Hat 4.8.5-4)
Copyright (C) 2015 Free Software Foundation, Inc.
This is free software; see the source for copying conditions. There is NO
warranty; not even for MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.
- See previous answers
- Weitere Antworten anzeigen