Since a tuple is immutable you have to create new tuples. I assume you want to add this additional value to every tuple in the list.
a = [('1', 'hello', 'en'), ('2', 'hi', 'en')]
color = 'red'
a = [(x + (color,)) for x in a]
print(a)
The result is [('1', 'hello', 'en', 'red'), ('2', 'hi', 'en', 'red')]
.
If you have multiple colors in a list with as many entries as you have in your list with the tuples you can zip
both sets of data.
a = [('1', 'hello', 'en'), ('2', 'hi', 'en'), ('3', 'oy', 'en')]
colors = ['red', 'green', 'blue']
a = [(x + (color,)) for x, color in zip(a, colors)]
print(a)
Now the result is
[('1', 'hello', 'en', 'red'), ('2', 'hi', 'en', 'green'), ('3', 'oy', 'en', 'blue')]