Use CONCATENATE, one of the text functions, to join two or more text strings into one string.
In C/C++, strcat() is a predefined function used for string handling, under string library (string. h in C, and cstring in C++). This function appends the string pointed to by src to the end of the string pointed to by dest. It will append a copy of the source string in the destination string.
First of all, don't use char*
or char[N]
. Use std::string
, then everything else becomes so easy!
Examples,
std::string s = "Hello";
std::string greet = s + " World"; //concatenation easy!
Easy, isn't it?
Now if you need char const *
for some reason, such as when you want to pass to some function, then you can do this:
some_c_api(s.c_str(), s.size());
assuming this function is declared as:
some_c_api(char const *input, size_t length);
Explore std::string
yourself starting from here:
Hope that helps.
Since it's C++ why not to use std::string
instead of char*
?
Concatenation will be trivial:
std::string str = "abc";
str += "another";
If you were programming in C, then assuming name
really is a fixed-length array like you say, you have to do something like the following:
char filename[sizeof(name) + 4];
strcpy (filename, name) ;
strcat (filename, ".txt") ;
FILE* fp = fopen (filename,...
You see now why everybody recommends std::string
?
There is a strcat() function from the ported C library that will do "C style string" concatenation for you.
BTW even though C++ has a bunch of functions to deal with C-style strings, it could be beneficial for you do try and come up with your own function that does that, something like:
char * con(const char * first, const char * second) {
int l1 = 0, l2 = 0;
const char * f = first, * l = second;
// step 1 - find lengths (you can also use strlen)
while (*f++) ++l1;
while (*l++) ++l2;
char *result = new char[l1 + l2];
// then concatenate
for (int i = 0; i < l1; i++) result[i] = first[i];
for (int i = l1; i < l1 + l2; i++) result[i] = second[i - l1];
// finally, "cap" result with terminating null char
result[l1+l2] = '\0';
return result;
}
...and then...
char s1[] = "file_name";
char *c = con(s1, ".txt");
... the result of which is file_name.txt
.
You might also be tempted to write your own operator +
however IIRC operator overloads with only pointers as arguments is not allowed.
Also, don't forget the result in this case is dynamically allocated, so you might want to call delete on it to avoid memory leaks, or you could modify the function to use stack allocated character array, provided of course it has sufficient length.
C++14
std::string great = "Hello"s + " World"; // concatenation easy!
Answer on the question:
auto fname = ""s + name + ".txt";
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With