phpcallbackpreg-replace

Call function as replacement parameter of preg_replace()


I have a complicated problem: I have a very long text and I need to call some php functions inside my text. The function name is myfunction(); I`we included in my text the function in the following way: " text text text myfunction[1,2,3,4,5]; more text text ... "

And I want to replace each myfunction[...] with the result of the function myfunction with the variables from the [] brackets.

my code is:

<?php echo preg_replace('/myfunction[[0-9,]+]/i',myfunction($1),$post['content']); ?>

,but it`s not working.

The parameter should be an array, because it can contain any number of values.


Solution

  • If I were you, I would avoid using the e modifier to preg_replace because it can lead you open to execution of arbitrary code. Use preg_replace_callback instead. It's slightly more verbose, but much more effective:

    echo preg_replace_callback('/myfunction\[([0-9,]+)\]/i', function($matches) {
        $args = explode(',', $matches[1]); // separate the arguments
        return call_user_func_array('myfunction', $args); // pass the arguments to myfunction
    }, $post['content']);
    

    This uses an anonymous function. This functionality won't be available to you if you use a version of PHP before 5.3. You'll have to create a named function and use that instead, as per the instructions on the manual page.