If you're using Python 2.x, then you can use:
>>> a = [(34.2424, -64.2344, 76.3534, 45.2344)]
>>> print ' '.join(map(str, a[0]))
'34.2424 -64.2344 76.3534 45.2344'
In Python 3.x, or Python 2.x with a from __future__ import print_function
, you can use:
>>> print(*a[0])
34.2424 -64.2344 76.3534 45.2344
You seem to have updated the format of the input data, so:
First element from each tuple...
>>> a = [(34.2424,), (-64.2344,), (76.3534,), (45.2344,)]
>>> print ' '.join(str(el[0]) for el in a)
34.2424 -64.2344 76.3534 45.2344
More than one element in each tuple...
>>> from itertools import chain
>>> print(*chain.from_iterable(a))
34.2424 -64.2344 76.3534 45.2344
However, it does seem you just want a tuple...
>>> tuple(chain.from_iterable(a))
(34.2424, -64.2344, 76.3534, 45.2344)
Which you can then just use str
on to make it a str if you so wanted...