1

I have thousands html tags, have wrote like this:
<input type="text" name="CustomerName" />
<input type="text" name="SalesOrder"/>

I need to match every name attribute values and convert them all to be like this:
CustomerName -> cust[customer_name]
SalesOrder -> cust[sales_order]

So the results will be :
<input type="text" name="cust[customer_name]" />
<input type="text" name="cust[sales_order]" />

My best try have stuck in this pattern: name=\"[a-zA-Z0-9]*\"
-> just found name="CustomerName"

Thanks in advance.

Brain90
  • 1,551
  • 18
  • 21

2 Answers2

2

Parsing HTML is not a good use of RegEx. Please see here.

With that said, this might be a small enough task that it won't drive you insane. You'd need something like:

Find: name="(.+)"

Replace: name="cust[$1]"

and then hope that your HTML isn't very irregular (most is, but you can always hope).

Update: here's some sed-fu to get you started on camelCase -> underscores.

Community
  • 1
  • 1
Hank Gay
  • 70,339
  • 36
  • 160
  • 222
0

Something like this?

<?php
$subject = <<<EOT
<input type="text" name="CustomerName" />
<input type="text" name="SalesOrder"/>
EOT;
$pattern = '/\\bname=["\']([A-Za-z0-9]+)["\']/';
$output = preg_replace_callback($pattern, function ($match) {
    return ''
    . 'name="cust['
    . strtolower(preg_replace('/(?<=[a-z])([A-Z])/', '_$1', $match[1]))
    . ']"';
}, $subject);
?>
<pre><?php echo htmlentities($output);?></pre>

Output looks like this:

<input type="text" name="cust[customer_name]" />
<input type="text" name="cust[sales_order]"/>
Kristof Neirynck
  • 3,934
  • 1
  • 33
  • 47