我在PHP中的字符串变量,它的内容是:
$var='<SPAN id=1 value=1 name=1> one</SPAN>
<div id=2 value=2 name=2> two</div >';
....
我需要环绕HTML功能与“”我需要的所有元标记为此属性
等结果应该是这样的:
$var='<SPAN id= "1" value="1" name="1"> one </SPAN>
<div id="2" value="2" name="2" > two</div >';
...
我需要替换所有= [AZ] [AZ] [1-9]为= “[AZ] [AZ] [1-9]”。 我需要的preg_replace一个正规表示法
你需要用它所有的单引号是这样的:
$myHtml='<SPAN id="1" value="1" name="1"> one </SPAN>
<div id="2" value="2" name="2" > two</div >';
它是解决方案
$var = preg_replace('/(?<==)(\b\w+\b)(?!")(?=[^<]*>)/', '"$1"', $var);
感谢Ωmega,其对IE8的作品
使用定界符它不需要逃避任何东西,除了$
:
$var = <<<EOL
<span id="1" value="1" name="1">one</span>
etc...
EOL
我会运行通过串DOMDocument
:
$var='<SPAN id=1 value=1 name=1> one</SPAN>
<div id=2 value=2 name=2> two</div >';
// Create a new DOMDocument and load your markup.
$dom = new DOMDocument();
$dom->loadHTML($var);
// DOMDocument adds doctype and <html> and <body> tags if they aren't
// present, so find the contents of the <body> tag (which should be
// your original markup) and dump them back to a string.
$var = $dom->saveHTML($dom->getElementsByTagName('body')->item(0));
// Strip the actual <body> tags DOMDocument appended.
$var = preg_replace('#^<body>\s*(.+?)\s*</body>$#ms', '$1', $var);
// Here $var will be your desired output:
var_dump($var);
输出:
string(85) "<span id="1" value="1" name="1"> one</span>\n<div id="2" value="2" name="2"> two</div>"
请注意,如果$var
必须包含一个实际的潜在<body>
标签的修改将需要此代码进行。 我将它作为一个练习OP。