0

我需要将每对大括号之间的数字保存为变量。

{2343} -> $number
echo $number;
Output = 2343

我不知道如何做'->'部分。

我找到了一个类似的功能,但它只是删除了大括号,没有做任何其他事情。

preg_replace('#{([0-9]+)}#','$1', $string);

有什么我可以使用的功能吗?

4

2 回答 2

1

您可能希望将preg_match与捕获一起使用:

$subject = "{2343}";
$pattern = '/\{(\d+)\}/';
preg_match($pattern, $subject, $matches);
print_r($matches);

输出:

Array
(
    [0] => {2343}
    [1] => 2343
)

$matches如果找到,该数组将包含索引 1 处的结果,因此:

if(!empty($matches) && isset($matches[1)){
    $number = $matches[1];
}

如果您的输入字符串可以包含许多数字,则使用 preg_match_all:

$subject = "{123} {456}";
$pattern = '/\{(\d+)\}/';
preg_match_all($pattern, $subject, $matches);
print_r($matches);

输出:

Array
(
    [0] => Array
        (
            [0] => {123}
            [1] => {456}
        )

    [1] => Array
        (
            [0] => 123
            [1] => 456
        )
)
于 2012-07-09T08:52:59.243 回答
0
$string = '{1234}';
preg_replace('#{([0-9]+)}#e','$number = $1;', $string);
echo $number; 
于 2012-07-09T08:58:02.107 回答