Very simple. Just use re.match:
>>> import re
>>> mylist = ['Julio Cesar por inhumana (?)', '1/4/2015', '1/4/2015', '1/4/2015']
>>> dates = [x for x in mylist if re.match(r'\b(\d+/\d+/\d{4})\b', x)]
>>> dates
['1/4/2015', '1/4/2015', '1/4/2015']
re.match only matches at the start of the string, so it's what you want for this case. Also, I wouldn't name a list "list" -- because that's the name of the built-in list class, you could hurt yourself later if you try to do list(some_iterable). Best not to get in that habit.
Finally, your regex will match a string that starts with a date. If you want to insure that the entire string is your date, you could modify it slightly to r'(\d{1,2}/\d{1,2}/\d{4})$' -- this will insure that the month and day are each 1 or 2 digits and the year is exactly 4 digits.