PHP 中的字符串连接

Minahil Noor 2023年1月30日
  1. 在 PHP 中使用连接操作符来连接字符串
  2. 在 PHP 中使用连接赋值运算符来连接字符串
  3. 在 PHP 中使用 sprintf() 函数连接字符串
PHP 中的字符串连接

本文将介绍在 PHP 中进行字符串连接的不同方法。

在 PHP 中使用连接操作符来连接字符串

将两个字符串连接在一起的过程称为连接过程。在 PHP 中,我们可以通过使用连接操作符来实现。连接运算符是 .。使用这个操作符的正确语法如下。

$finalString = $string1 . $string2;

这些变量的细节如下。

变量 说明
$finalString 它是我们将存储连接字符串的字符串
$string1 它是我们要和其他字符串连接的字符串
$string2 它是我们要与第一个字符串进行连接的字符串

下面的程序展示了我们如何使用连接运算符来连接两个字符串。

<?php
$mystring1 = "This is the first string. ";
$mystring2 = "This is the second string.";
$finalString = $mystring1 . $mystring2;
echo($finalString);
?>

输出:

This is the first string. This is the second string.

同样的,我们也可以用这个操作符来组合多个字符串。

<?php
$mystring1 = "This is the first string. ";
$mystring2 = "This is the second string. ";
$mystring3 = "This is the third string. ";
$mystring4 = "This is the fourth string. ";
$mystring5 = "This is the fifth string.";

$finalString = $mystring1 . $mystring2 . $mystring3 . $mystring4 . $mystring5;
echo($finalString);
?>

输出:

This is the first string. This is the second string. This is the third string. This is the fourth string. This is the fifth string.

在 PHP 中使用连接赋值运算符来连接字符串

在 PHP 中,我们还可以使用连接赋值操作符来连接字符串。连接赋值运算符是 .=.=. 之间的区别是,连接赋值运算符 .= 将字符串附加在右边。使用该运算符的正确语法如下。

$string1 .= $string2;

这些变量的细节如下。

变量 说明
$string1 它是我们要在右边附加一个新字符串的字符串
$string2 它是我们要与第一个字符串进行连接的字符串

下面的程序显示了我们如何使用连接赋值运算符来合并两个字符串。

<?php
$mystring1 = "This is the first string. ";
$mystring2 = "This is the second string.";
$mystring1 .= $mystring2;
echo($mystring1);
?>

输出:

This is the first string. This is the second string.

同样的,我们也可以用这个操作符来组合多个字符串。

<?php
$mystring1 = "This is the first string. ";
$mystring2 = "This is the second string. ";
$mystring3 = "This is the third string. ";
$mystring4 = "This is the fourth string. ";
$mystring5 = "This is the fifth string.";

$mystring1 .= $mystring2 .= $mystring3 .= $mystring4 .= $mystring5;
echo($mystring1);
?>

输出:

This is the first string. This is the second string. This is the third string. This is the fourth string. This is the fifth string.

在 PHP 中使用 sprintf() 函数连接字符串

在 PHP 中,我们也可以使用 sprintf() 函数来连接字符串。这个函数给出了几种格式化字符串的模式。我们可以使用这种格式化来合并两个字符串。使用这个函数的正确语法如下。

sprintf($formatString, $string1, $string2, ..., $stringN)

函数 sprintf() 接受 N+1 个参数。它的详细参数如下。

参数名称 说明
$formatString 强制 该格式将被应用于给定的字符串
$string1', $string2’, $stringN 强制 这是我们要格式化的字符串。至少有一个字符串是必须填写的。

该函数返回格式化后的字符串。我们将使用格式%s %s 来组合两个字符串。合并两个字符串的程序如下。

<?php
$mystring1 = "This is the first string. ";
$mystring2 = "This is the second string";
$finalString = sprintf("%s %s", $mystring1, $mystring2);
echo($finalString);
?>

输出:

This is the first string. This is the second string.

相关文章 - PHP String