1
0
Fork 0

New Folder Structure because of mail 2019-11-21T16:35

This commit is contained in:
Eric Teunis de Boone 2019-12-10 18:04:54 +01:00
parent 890f414d86
commit d1547c1611
21 changed files with 0 additions and 0 deletions

53
ex1.3/join_strings.cpp Normal file
View file

@ -0,0 +1,53 @@
#include <iostream>
#include <string.h>
// join will return a pointer of type 'char'
char* join(const char*, const char*) ;
char* joinb(const char*, const char*) ;
int main()
{
std::cout << join("alpha","bet") << std::endl ;
std::cout << joinb("duck","soup") << std::endl ;
return 0 ;
}
/* this function is owner of new_str,
* since it doesn't delete it, there is leakage
*/
char* join(const char* str1 , const char* str2)
{
/* use 'new' because we don't know how big the strings are going to be
* the length should be 'strlen(str1) + strlen(str2) + 1'
* since strlen does not count the null bytes we need to add one
*/
int size = strlen(str1) + strlen(str2) + 1;
char* new_str = new char[size];
*new_str = 0; // Null String
strcat(new_str, str1); // new_str = 0 + str1
strcat(new_str, str2); // new_str = new_str + str2
return new_str;
}
char* joinb(const char* str1 , const char* str2)
{
int size = strlen(str1) + strlen(str2) + 1;
char* new_str = new char[size];
*new_str = 0;
strcat(new_str, str1);
strcat(new_str, " "); // insert space, note it is important to have it as a string => \"
strcat(new_str, str2);
return new_str;
}