If you need a list of these values:
>>> [d['Name'] for d in thisismylist] ['Albert', 'Suzy', 'Johnny']
The same method, you can get a tuple of data:
>>> [(d['Name'],d['Age']) for d in thisismylist] [('Albert', 16), ('Suzy', 17), ('Johnny', 13)]
Or, flip the dicts list into one key, a dictionary of a pair of values:
>>> {d['Name']:d['Age'] for d in thisismylist} {'Johnny': 13, 'Albert': 16, 'Suzy': 17}
So, the same method, the way to print them:
>>> print '\n'.join(d['Name'] for d in thisismylist) Albert Suzy Johnny
And you can print it sorted if you want:
>>> print '\n'.join(sorted(d['Name'] for d in thisismylist)) Albert Johnny Suzy
Or, sort them by age, smoothing the list:
>>> for name, age in sorted([(d['Name'],d['Age']) for d in thisismylist],key=lambda t:t[1]): ... print '{}: {}'.format(name,age) ... Johnny: 13 Albert: 16 Suzy: 17