Reputation: 19
Is there anyway to pouplate table row after clicking Tree Item.?I don't want to use SWT/Jface TreeTableViewer. Suppose i have Tree with some tree items like cosmetics, Powder. When i click on cosmetic, related value should be populated in table.
Upvotes: 0
Views: 1532
Reputation: 19
i have got the solution
TreeViewer treeViewer= new TreeViewer(comp);
final TableViewer viewer= new TableViewer(comp1, SWT.BORDER);
treeViewer.addSelectionChangedListener(new ISelectionChangedListener()
{
public void selectionChanged(SelectionChangedEvent event)
{
IStructuredSelection selection = (IStructuredSelection) event.getSelection();
Object obj= selection.getFirstElement();
viewer.setInput(obj);
}
});
}
Upvotes: 0
Reputation: 36904
Here is a small example:
public static void main(String[] args)
{
Display display = new Display();
Shell shell = new Shell(display);
shell.setLayout(new GridLayout(1, true));
final Tree tree = new Tree(shell, SWT.SINGLE);
tree.setLayoutData(new GridData(SWT.FILL, SWT.FILL, true, true));
/* initialize columns */
TreeItem cosmetics = new TreeItem(tree, SWT.NONE);
cosmetics.setText(0, "cosmetics");
/* other text */
TreeItem powder= new TreeItem(tree, SWT.NONE);
powder.setText(0, "powder");
/* other text */
/* add selection listener to add children */
tree.addListener(SWT.Selection, new Listener()
{
@Override
public void handleEvent(Event arg0)
{
/* get selection */
TreeItem[] items = tree.getSelection();
if(items.length > 0)
{
String parent = items[0].getText();
System.out.println(parent);
/* add new child */
TreeItem newItem = new TreeItem(items[0], SWT.NONE);
newItem.setText(0, "new Item, parent: " + parent);
/* Expand parent */
items[0].setExpanded(true);
}
}
});
shell.pack();
shell.open();
while (!shell.isDisposed())
{
if (!display.readAndDispatch())
display.sleep();
}
display.dispose();
}
It will add a new child to every TreeItem
you click on.
Upvotes: 1