I have the following string:
text = '10.0.0.1.1 but 127.0.0.256 1.1.1.1'
and I want to return the valid IP addresses, so it should only return 1.1.1.1
here since 256
is higher than 255
and the first IP has too many numbers.
so far I have the following but it doesn't work on the 0-255
requirement.
text = "10.0.0.1.1 but 127.0.0.256 1.1.1.1"
l = []
import re
for word in text.split(" "):
if word.count(".") == 3:
l = re.findall(r"[\d{1,3}]+\.[\d{1,3}]+\.[\d{1,3}]+\.[\d{1,3}]+",word)
Here is a python regex that does a pretty good job of fetching valid IPv4 IP addresses from a string:
import re
reValidIPv4 = re.compile(r"""
# Match a valid IPv4 in the wild.
(?: # Group two start-of-IP assertions.
^ # Either the start of a line,
| (?<=\s) # or preceeded by whitespace.
) # Group two start-of-IP assertions.
(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?) # First number in range 0-255
(?: # Exactly 3 additional numbers.
\. # Numbers separated by dot.
(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?) # Number in range 0-255 .
){3} # Exactly 3 additional numbers.
(?=$|\s) # End IP on whitespace or EOL.
""", re.VERBOSE | re.MULTILINE)
text = "10.0.0.1.1 but 127.0.0.256 1.1.1.1"
l = reValidIPv4.findall(text)
print(l)