if i want to change a single char in a string i can do:
#include <iostream>
#include <string>
using namespace std;
int main() {
string mystring = "Hello";
mystring[0] = 'T';
cout << mystring;
return 0;
}
If i want to change i single char in a string using a different function:
#include <iostream>
#include <string>
using namespace std;
void changeStr(string* mystring);
int main() {
string mystring = "Hello";
changeStr(&mystring);
cout << mystring;
return 0;
}
void changeStr(string* mystring)
{
mystring[0] = 'T';
}
Why isnt it working? The whole string gets changed to "T". Im new to programming and still got some problems with pointers / address. I know that a array of char (char[]) is a pointer to its first index. Does this apply to a string aswell? How can i fix it?
For starters there is no sense to pass an object of the type
std::string
to the function through a pointer to the object. You could pass it by reference. So the function could look likeCorrespondingly the function is called like
As for your problem then at first you need to dereference the pointer and only after that to apply the subscript operator
Alternatively you could write
Pay attention to that the postfix subscript operator has a higher precedence than the dereferencing operator.
As for the statement in your demonstration program within the function
then actually it assigns the character
'T'
to the string using the assignment operatorinstead of assigning only the first character of the string.
That is after this statement the string will be equal to
"T"
.It is the same if in
main
to writeThe expressions
*mystring
andmystring[0]
wheremystring
has the pointer typestd::string *
are equivalent. So within the function you could even writeinstead of
Though as I pointed to early it is much better to pass the string by reference.