We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Masking Personal Information

Difficulty: Medium


Problem Description

You are given a personal information string s, representing either an email address or a phone number. Return the masked personal information using the below rules.


Key Insights

  • An email address consists of a name followed by an '@' symbol and a domain with a dot in the middle.
  • For emails, convert uppercase letters to lowercase and replace middle letters of the name with five asterisks.
  • A phone number is formatted with digits possibly separated by characters like '+', '-', '(', ')', or spaces.
  • For phone numbers, remove all separation characters and format the output based on the number of country code digits.

Space and Time Complexity

Time Complexity: O(n), where n is the length of the input string s.
Space Complexity: O(1), as we are only using a constant amount of space for variables.


Solution

To solve this problem, we can start by determining if the input string is an email address or a phone number based on the presence of the '@' symbol.

  1. For Email Addresses:

    • Split the string into the name and domain parts.
    • Convert both parts to lowercase.
    • Replace the middle characters of the name with five asterisks.
    • Combine them back into the masked email format.
  2. For Phone Numbers:

    • Remove all non-digit characters to extract the digits.
    • Determine the country code based on the number of leading digits.
    • Format the output string according to the specified patterns based on the length of the country code.

Code Solutions

def mask_personal_information(s: str) -> str:
    if '@' in s:  # Check if it's an email
        name, domain = s.split('@')
        name = name[0].lower() + '*****' + name[-1].lower()  # Masking the name
        domain = domain.lower()  # Convert domain to lowercase
        return f"{name}@{domain}"
    else:  # It's a phone number
        digits = ''.join(filter(str.isdigit, s))  # Remove non-digit characters
        local_number = digits[-4:]  # Last 4 digits
        country_code_length = len(digits) - 10  # Determine country code length
        masked_number = "***-***-" + local_number
        
        if country_code_length == 0:
            return masked_number
        else:
            return '+' + '*' * country_code_length + '-' + masked_number
← Back to All Questions