append char to string code example
Example 1: how to add char to string python
def addChar(text,char,place):
return text[:place] + char + text[place:]
Example 2: c++ append a char to a string
// string::operator+=
#include
#include
int main ()
{
std::string name ("John");
std::string family ("Smith");
name += " K. "; // c-string
name += family; // string
name += '\n'; // character
std::cout << name;
return 0;
}
Example 3: insert character into string
x <- "abcde"
stri_sub(x, 3, 2) # from 3 to 2 so... zero ?
# [1] ""
stri_sub(x, 3, 2) <- 1 # substitute from 3 to 2 ... hmm
x
# [1] "ab1cde"
Example 4: appending string in c++
#include
#include
int main() {
//"Ever thing inside these double quotes becomes const char array"
// std::string namee = "Caleb" +"Hello";//This will give error because adding const char array to const char array
std::string namee = "Caleb";
namee += " Hello";//This will work because adding a ptr to a actual string
std::cout << namee << std::endl;// output=>Caleb Hello
//You can also use the below
std::string namee2 = std::string("Caleb")+" Hello";// This will work because constructor will convert const char array to string, adding a ptr to string
std::cout << namee2 << std::endl;// output=>Caleb Hello
std::cin.get();
}