Are you simply wanting to append several strings to each other?
If so the correct syntax is this:
$name = 'Dave Random';
$address = 'Some place, some other place';
$post_code = 'AB123CD';
$merged = $name.$address.$post_code;
...using . (dot) to concatentate them. You will probably want to insert a line break, comma etc between them:
$merged = $name.', '.$address.', '.$post_code;
Alternatively, you can specify them all in one new string like this:
$merged = "$name, $address, $post_code";
...note the use of doubles quotes instead of single. It would probably do you well to read this.
Alternatively, you can store them as separate values in an array like this:
$myArray = array();
$myArray['name'] = 'Dave Random';
$myArray['address'] = 'Some place, some other place';
$myArray['post_code'] = 'AB123CD';
...or this:
$myArray = array(
'name' => 'Dave Random',
'address' => 'Some place, some other place',
'post_code' => 'AB123CD'
);
...and your can convert that array to a string with implode():
$merged = implode(', ',$myArray);
$address = array( $name, $address, $post_code );