简体   繁体   中英

How to search for urls that match a specific pattern?

So my goal is to make a python script that reads an email and then selects a specific link in it, which it then opens in a web-browser.

But at the moment I'm stuck at the part whereby I get all the URL links. But I want to filter those to only a specific one The specific URL contains "/user/cm-l.php?" but after the question mark, you get a randomly generated link.

Does someone know how to fix this or edit the script to filter for only URLs that contain that part?

I tried something with the re.search/findall/match but I couldn't make it work so it would filter for only that URL.

import imaplib 
import email
import re

# imap and user credentials.
mail = imaplib.IMAP4_SSL('imap.domain.com')
mail.login('username@domain.com', 'password')
mail.list()
# connect to right mailbox inside inbox.
mail.select("inbox")

result, data = mail.search(None, "ALL")

# data is a list.
ids = data[0]
# ids is a space separated string.
id_list = ids.split()
# changes which e-mail to read. '-1': gets the latest e-mail.
latest_email_id = id_list[6]

result, data = mail.fetch(latest_email_id, "(RFC822)")

raw_email = data[0][1]
raw_email = str(raw_email)

# this will search al the urls in an email.
def Find(string):
    regex = r"(?i)\b((?:https?://|www\d{0,3}[.]|[a-z0-9.\-]+[.][a-z]{2,4}/user)(?:[^\s()<>]+|\(([^\s()<>]+|(\([^\s()<>]+\)))*\))+(?:\(([^\s()<>]+|(\([^\s()<>]+\)))*\)|[^\s`!()\[\]{};:'\".,<>?«»“”‘’]))"
    url = re.findall(regex,string)      
    return [x[0] for x in url] 

# prints all of the URLs.
print(Find(raw_email))

By defining regex pattern with applying groups (..) , you can find exact strings with optional pre- and suffix. ([a-zA-Z\/]*?)(\/user\/cm-l\.php\?)(.*)? includes three groups.

The following example shows how to access the extracted content.

import re
mailstring = """
/user/cm-l.php?

some link : /main/home/user/cm-l.php?

link with suffix /user/cm-l.php?345TfvbzteW4rv#!_
"""


def Find(string):
    pattern = r'([a-zA-Z\/]*?)(\/user\/cm-l\.php\?)(.*)?'

    for idx,match in enumerate(re.findall(pattern,string)):
        print(f'### Match {idx}')
        print('full= ',''.join(match))
        print('0= ',match[0])
        print('1= ',match[1]) # match[1] is the base url
        print('2= ',match[2])

Find(mailstring)

'''
### Match 0
full=  /user/cm-l.php?
0=  
1=  /user/cm-l.php?
2=  
### Match 1
full=  /main/home/user/cm-l.php?
0=  /main/home
1=  /user/cm-l.php?
2=  
### Match 2
full=  /user/cm-l.php?345TfvbzteW4rv#!_
0=  
1=  /user/cm-l.php?
2=  345TfvbzteW4rv#!_
'''

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM