How to Remove Portion of a String after a Certain Character in PHP

In PHP, removing a portion of a string after a certain character is a common string manipulation task. There are several effective methods to accomplish this, each with its own advantages depending on your specific use case.

Using strpos() and substr()

This method finds the position of a character and extracts everything before it

<?php
$string = "Hello, World!";
$character = ",";
$position = strpos($string, $character);
if ($position !== false) {
    $newString = substr($string, 0, $position);
    echo $newString;
}
?>
Hello

The strpos() function finds the position of the target character. We use substr() to extract the substring from position 0 to the character's position, effectively removing everything after it.

Using explode() and Taking First Element

This approach splits the string by the character and takes only the first part

<?php
$string = "Hello, World!";
$character = ",";
$parts = explode($character, $string);
$newString = $parts[0];
echo $newString;
?>
Hello

The explode() function splits the string into an array using the target character as delimiter. Taking $parts[0] gives us everything before the first occurrence of the character.

Using Regular Expressions

For more complex patterns, you can use preg_replace() with regular expressions

<?php
$string = "Hello, World!";
$character = ",";
$newString = preg_replace('/' . preg_quote($character, '/') . '.*/', '', $string);
echo $newString;
?>
Hello

The pattern matches the target character and everything after it (.*), replacing it with an empty string. The preg_quote() function escapes special regex characters.

Comparison

Method Performance Best For
strpos() + substr() Fastest Simple single character removal
explode() Good When you need multiple parts
preg_replace() Slower Complex patterns or multiple characters

Conclusion

For most cases, strpos() with substr() is the most efficient method. Use explode() when you need to work with multiple parts, and regular expressions for complex pattern matching scenarios.

Updated on: 2026-03-15T10:30:43+05:30

4K+ Views

Kickstart Your Career

Get certified by completing the course

Get Started
Advertisements