Current Location: Home> Latest Articles> Comprehensive Guide to PHP String Replacement: Using str_replace, preg_replace, and strtr

Comprehensive Guide to PHP String Replacement: Using str_replace, preg_replace, and strtr

gitbox 2025-08-04

PHP String Replacement

str_replace Function

In PHP, the most commonly used method for string replacement is the built-in str_replace function. Its basic syntax is as follows:

str_replace($search, $replace, $subject);

Here, $search is the string to find and replace, $replace is the replacement string, and $subject is the target string where the search and replace occur.

Here's a simple example:

$text = "Hello World";
$newText = str_replace("World", "PHP", $text);
echo $newText; // Output: Hello PHP

As shown, str_replace replaces "World" with "PHP" in the string.

Using Regular Expressions for Replacement

Besides str_replace, PHP also offers the preg_replace function for more complex string replacements using regular expressions.

The basic syntax of preg_replace is:

preg_replace($pattern, $replacement, $subject);

Where $pattern is the regex pattern to match, $replacement is the replacement string, and $subject is the target string.

Example:

$text = "My email is [email protected]";
$newText = preg_replace("/(\w+)@(\w+)\.com/", "$2@$1.com", $text);
echo $newText; // Output: My email is example.com@example

This example swaps the username and domain parts of the email address.

strtr Function

In addition to the above, PHP provides the strtr function, which supports multiple one-to-one replacements, useful for batch replacing specific strings.

Its syntax is:

strtr($string, $replacePairs);

Here, $string is the target string, and $replacePairs is an associative array where keys are strings to be replaced and values are their replacements.

Example:

$text = "Hello World";
$newText = strtr($text, array("Hello" => "Hi", "World" => "PHP"));
echo $newText; // Output: Hi PHP

In this example, "Hello" is replaced by "Hi" and "World" by "PHP".

Summary

This article introduced three common PHP string replacement methods: str_replace, preg_replace, and strtr. Depending on your needs, you can choose simple replacements, complex regex-based replacements, or batch replacements. Using these functions effectively can greatly improve your efficiency in PHP string processing.