Python (re)

Strong Password in PY

Enforce strong passwords: min 8 chars, at least one lowercase, uppercase, digit, and special character.

Try it in the PY tester →

Pattern

regexPY
^(?=.*[a-z])(?=.*[A-Z])(?=.*\d)(?=.*[^a-zA-Z\d\s]).{8,}$

Python (re) code

pyPython
import re

pattern = re.compile(r"^(?=.*[a-z])(?=.*[A-Z])(?=.*\d)(?=.*[^a-zA-Z\d\s]).{8,}$")
input_text = "MyP@ssw0rd"
for m in pattern.finditer(input_text):
    print(m.group(0))

Stdlib `re` module — no third-party dependency. Works on Python 3.6+.

How the pattern works

Uses four lookaheads from the start (^) to assert each required character class exists somewhere in the string, then .{8,} ensures minimum length, and $ anchors the end.

Examples

Input

MyP@ssw0rd

Matches

  • MyP@ssw0rd

Input

password123

No match

Input

SHORT1!

No match

Same pattern, other engines

← Back to Strong Password overview (all engines)