文字列の部分文字列を削除する必要がありますが、文字列の最後にある場合のみです。
たとえば、次の文字列の末尾の「string」を削除します。
"this is a test string" -> "this is a test "
"this string is a test string" - > "this string is a test "
"this string is a test" -> "this string is a test"
何か案は ?おそらくある種のpreg_replaceですが、どうやって?
文字列の終わりを示す$
文字の使用に注意してください。
$new_str = preg_replace('/string$/', '', $str);
文字列がユーザー指定の変数である場合、最初に preg_quote
を実行することをお勧めします。
$remove = $_GET['remove']; // or whatever the case may be
$new_str = preg_replace('/'. preg_quote($remove, '/') . '$/', '', $str);
部分文字列に特殊文字が含まれていると、regexpの使用に失敗する場合があります。
以下は任意の文字列で動作します:
$substring = 'string';
$str = "this string is a test string";
if (substr($str,-strlen($substring))===$substring) $str = substr($str, 0, strlen($str)-strlen($substring));
文字列の左と右のトリム用に次の2つの関数を作成しました。
/**
* @param string $str Original string
* @param string $needle String to trim from the end of $str
* @param bool|true $caseSensitive Perform case sensitive matching, defaults to true
* @return string Trimmed string
*/
function rightTrim($str, $needle, $caseSensitive = true)
{
$strPosFunction = $caseSensitive ? "strpos" : "stripos";
if ($strPosFunction($str, $needle, strlen($str) - strlen($needle)) !== false) {
$str = substr($str, 0, -strlen($needle));
}
return $str;
}
/**
* @param string $str Original string
* @param string $needle String to trim from the beginning of $str
* @param bool|true $caseSensitive Perform case sensitive matching, defaults to true
* @return string Trimmed string
*/
function leftTrim($str, $needle, $caseSensitive = true)
{
$strPosFunction = $caseSensitive ? "strpos" : "stripos";
if ($strPosFunction($str, $needle) === 0) {
$str = substr($str, strlen($needle));
}
return $str;
}
正規表現 を使用でき、string
に一致すると仮定し、次に、文字列の終わり、 preg_replace()
関数。
このような何かがうまくいくはずです:
$str = "this is a test string";
$new_str = preg_replace('/string$/', '', $str);
ノート :
string
は一致します...まあ... string
$
は文字列の終わりを意味します詳細については、 Pattern Syntax セクションのPHPマニュアル。
パフォーマンスを気にせず、文字列の一部を文字列の最後にしか配置できない場合は、次のようにします。
$string = "this is a test string";
$part = "string";
$string = implode( $part, array_slice( explode( $part, $string ), 0, -1 ) );
echo $string;
// OUTPUT: "this is a test "
rtrim() を使用できます。
php > echo rtrim('this is a test string', 'string');
this is a test
'string'
は単なる文字マスクであり、文字の順序は考慮されないため、これは一部の場合にのみ機能します。