How about using an HTML Parser instead?
Example, using BeautifulSoup
:
from bs4 import BeautifulSoup
data = "your HTML here"
soup = BeautifulSoup(data)
span_texts = [span.text for span in soup.find_all('span')]
a_titles = [a['title'] for a in soup.find_all('a', title=True)]
b_texts = [b.text for b in soup.select('span[class] > b')]
result = span_texts + a_titles + b_texts
Demo:
>>> from bs4 import BeautifulSoup
>>>
>>> data = """
... <div>
... <span>Span's text</span>
... <a title="A title">link</a>
... <span class="test"><b>B's text</b></span>
... </div>
... """
>>> soup = BeautifulSoup(data)
>>>
>>> span_texts = [span.text for span in soup.find_all('span')]
>>> a_titles = [a['title'] for a in soup.find_all('a', title=True)]
>>> b_texts = [b.text for b in soup.select('span[class] > b')]
>>>
>>> result = span_texts + a_titles + b_texts
>>> print result
[u"Span's text", u"B's text", 'A title', u"B's text"]
Aside from that, your regular expressions are pretty different and serve different purposes - I would not try to squeeze unsqueezable, keep them separate and combine the results into a single list.