51 lines
1.0 KiB
Python
51 lines
1.0 KiB
Python
def _is_valid_domain(domain: str) -> bool:
|
|
"""
|
|
Basic domain validation.
|
|
|
|
Args:
|
|
domain: Domain string to validate
|
|
|
|
Returns:
|
|
True if domain appears valid
|
|
"""
|
|
if not domain or len(domain) > 253:
|
|
return False
|
|
|
|
# Check for valid characters and structure
|
|
parts = domain.split('.')
|
|
if len(parts) < 2:
|
|
return False
|
|
|
|
for part in parts:
|
|
if not part or len(part) > 63:
|
|
return False
|
|
if not part.replace('-', '').replace('_', '').isalnum():
|
|
return False
|
|
|
|
return True
|
|
|
|
def _is_valid_ip(ip: str) -> bool:
|
|
"""
|
|
Basic IP address validation.
|
|
|
|
Args:
|
|
ip: IP address string to validate
|
|
|
|
Returns:
|
|
True if IP appears valid
|
|
"""
|
|
try:
|
|
parts = ip.split('.')
|
|
if len(parts) != 4:
|
|
return False
|
|
|
|
for part in parts:
|
|
num = int(part)
|
|
if not 0 <= num <= 255:
|
|
return False
|
|
|
|
return True
|
|
|
|
except (ValueError, AttributeError):
|
|
return False
|