Been searching here and google for over an hour, can\'t seem to find the answer to this.
I have a string returned from a database query which contains variables, how
You could do something like this:
<?php
$myname = 'david';
$occupation = 'Beginner';
eval("\$result = 'Hello my name is $myname and I my occupation is $occupation';");
echo $result;
?>
However, I strongly DO NOT recommended evaluating any code from a database. Anything out of your control is a security risk.
If you know the names of the variables you want to replace you can do this...
$myname = 'david';
$occupation = 'Beginner';
$result = 'Hello my name is $myname and I my occupation is $occupation';
$result = str_replace(
array('$myname', '$occupation'),
array($myname, $occupation),
$result );
Which will be quicker than Nathan's stringExpand function, but if you don't know the variable names, then do use Nathan's method.
The problem I was trying to solve when I found this question was to do with linebreaks in a csv feed and was solved something like this:
// string from drupals csv feed tamper settings
$string = '22 Acacia Avenue\n Irlam\n Manchester';
$string = str_replace('\n', "\n", $string);
print nl2br($string); // demonstrates that the \n's are now linebreak characters
PHP does not have a standard safe way to do this, right now. There has been an open feature request for years asking for it: http://bugs.php.net/bug.php?id=43901
One of the comments on the ticket offers a regex to do simple $foo
and ${foo}
substitution:
function stringExpand($subject, array $vars) {
foreach ($vars as $name => $value) {
$subject = preg_replace(sprintf('/\$\{?%s\}?/', $name), $value, $subject);
}
return $subject;
}