You have to wrap the tuple into another one-elemented tuple before "multiplying":
>>> ([1, 25, 30], 'a') * 3
([1, 25, 30], 'a', [1, 25, 30], 'a', [1, 25, 30], 'a')
>>> (([1, 25, 30], 'a'),) * 3
(([1, 25, 30], 'a'), ([1, 25, 30], 'a'), ([1, 25, 30], 'a'))
But keep in mind, that this will create a tuple with 3 references to the same tuple. For a pure, unmodifyable tuple this would be fine, but yours has mutable parts, that, if modified, will be modified in all the "different" references.
>>> t = (([1, 25, 30], 'a'),) * 3
>>> t[0][0][1] = 42
>>> t
(([1, 42, 30], 'a'), ([1, 42, 30], 'a'), ([1, 42, 30], 'a'))
If you do not want this, better use tuple
with a generator expression:
>>> t = tuple( ([1, 25, 30], 'a') for _ in range(3))
>>> t[0][0][1] = 42
>>> t
(([1, 42, 30], 'a'), ([1, 25, 30], 'a'), ([1, 25, 30], 'a'))