I have to use a Listbox that shows a list of entries. Every entry is a
char string quite long in size and I cannot set "width" to a large
value due to limitations of screen resolution. The rightmost part is
more important, so I thought that I could show only the end of the
string by aligning the field to the right.
As I see it, there are two solutions to your problems:
- Display your strings differently. It may seem stupid, but there are
sometimes situations where it is the best solution. Think about Apple's
way of displaying full file path names in menus: they put the file base
name first, then the full directory after a separator. If you have a way
to do that, your problem is solved.
- Don't use a Listbox to display your list, but another widget. A simple
Text with no wrap option may be a solution; setting a tag with the option
justify=LEFT on your whole text would do the trick. But if your lines of
text should be selectable, it may not be the right solution. In this case,
another widget you can use is a Canvas. It's a little trickier but can be
done. Here is an example:
--------------------------------------
from Tkinter import *
root = Tk()
cnv = Canvas(root, width=150, height=250)
cnv.grid(row=0, column=0, sticky='nswe')
hscroll = Scrollbar(root, orient=HORIZONTAL, command=cnv.xview)
hscroll.grid(row=1, column=0, sticky='we')
vscroll = Scrollbar(root, orient=VERTICAL, command=cnv.yview)
vscroll.grid(row=0, column=1, sticky='ns')
cnv.configure(xscrollcommand=hscroll.set, yscrollcommand=vscroll.set)
xMax = 0
y = 0
for i in range(20):
lbl = Label(cnv, text='Very, very long item number %s' % i)
cnv.create_window(150, y, window=lbl, anchor='ne')
y += lbl.winfo_reqheight()
xMax = max(xMax, lbl.winfo_reqwidth())
cnv.configure(scrollregion=(150 - xMax, 0, 150, y))
root.mainloop()
--------------------------------------
Putting bindings on the Label widgets created in the loop can be used to
simulate the behaviour of a Listbox.
HTH