0

我有一个字符串,其中包含许多具有各种图像大小的 wordpress 图像名称。例如:

imgr-3sdfsdf9-266x200.png, pics-asf39-266x800.png, ruh-39-150x200.png

我需要做的是用字符串“150x150”替换这种字符串中的所有图像大小。该字符串可能有数百个不同大小的不同文件名。到目前为止,所有尺寸的格式都是 dddxddd - 3 位数字后跟“x”,然后是另外 3 位数字。我认为我不会有 4 位数字的宽度或高度。总是,大小就在 .png 扩展名之前。所以在处理完上面提到的字符串后,它应该变成这样:

imgr-3sdfsdf9-150x150.png, pics-asf39-150x150.png, ruh-39-150x150.png

任何帮助将不胜感激。

4

3 回答 3

3
$size = 150;
echo preg_replace(
  '#\d{3,4}x\d{3,4}\.#is',
  "{$size}x{$size}.",
  'imgr-3sdfsdf9-266x200.png, pics-asf39-266x800.png, ruh-39-150x200.png'
);
于 2013-10-17T10:49:20.427 回答
2

这将是这样的:

$string = 'imgr-3sdfsdf9-266x200.png, pics-asf39-266x800.png, ruh-39-150x200.png';
$string = preg_replace('/(\d{3}x\d{3})\./', '150x150.', $string);

- 在此我依赖于在大小之后将.作为文件扩展名分隔符。如果不是这样,您可能希望将其从替换条件中删除。

于 2013-10-17T10:47:27.620 回答
2

使用preg_replace,您可以像这样实现您想要的:

$pattern = '/\d+x\d+(\.png)/i';
$replace = '150x150${1}';
$newStr  = preg_replace($pattern, $replace, $initialStr);

另请参阅这个简短的演示

简短的解释

RegEx-pattern:
                       /\d+x\d+(\.png)/i
                        \_/V\_/\_____/ V
       _________         | | |    |    |   ________________
      |Match one|________| | |    |    |__|Make the search |
      |or more  |    ______| |    |___    |case-insensitive|
      |digits   |   |        |        |
             _______|_   ____|____   _|_______________
            |Match the| |Match one| |Match the string |
            |character| |or more  | |'.png' and create|
            |'x'      | |digits   | |a backreference  |

Replacement string:
                     150x150${1}
                     \_____/\__/
     ________________   |    |   ________________________
    |Replace with the|__|    |__|...followed by the 1st  |
    |string '150x150'|          |captured backreference  |
                                |(e.g.: ".png" or ".PNG")|
于 2013-10-17T11:10:17.500 回答