Trimming leading zeros with regex

346 Views Asked by At

I'm struggling to get a regex expression to work.

I need to allow the following transforms based on the existence of leading zeros...

  1. 001234 -> 1234
  2. 1234 -> 1234
  3. 00AbcD -> AbcD
  4. 001234.1234 -> 1234.1234
  5. 001234.000002 -> 1234.2
  6. 001234/000002 -> 1234.2

I've found the expression matches works well for transforms 1, 2 & 3 but I'm not sure how to match the (optional) second section demonstrated in 4, 5 & 6.

^0*([0-9A-Za-z]*$)
2

There are 2 best solutions below

2
On BEST ANSWER

You can get the zeros with following regex :

/(?:^|[./])0+/g

Demo

and replace the second group with first group (\1).

For example in python i can do following :

>>> s="""001234
... 1234
... 00AbcD
... 001234.1234
... 001234.000002
... 001234/000002"""

>>> [re.sub(r'(:?^|[./])0+',r'\1',i) for i in s.split()]
['1234', '1234', 'AbcD', '1234.1234', '1234.2', '1234/2']
1
On
^(0+)(.+)

Group 2 should be result.