2011-02-03 87 views
11

Estoy tratando de usar JTable en la forma en que se agregan nuevos registros de datos al final. Lo extraño es que la barra de desplazamiento no va al final de la tabla; en cambio, siempre muestra el segundo desde el último. ¿Alguna manera de decirle a la barra de desplazamiento que siempre vaya al final de la tabla?Cómo desplazarse a la última fila en una JTable

aquí es parte de mi código:

table.scrollRectToVisible(table.getCellRect(table.getRowCount()-1, 0, true)); 

Respuesta

16

simplemente me encontré con este problema - en realidad hay nada de malo en esa línea de código; el problema radica en cuando lo ejecutas.

Si eres como yo, tratando de ejecutarlo inmediatamente después de manipular la TableModel (incluso a través de invokeLater) o utilizando un TableModelListener, obtendrá el problema que usted describe. El problema es que mientras que el modelo se ha actualizado con los nuevos datos (table.getRowCount() es simplemente un paso a través de la GetRowCount() método en su TableModel), el componenteJTable tiene visualmente no.

Cuando se ejecuta esta línea de código en los lugares anteriormente descritos, en realidad estás tratando de decir la JScrollPane (JTable.scrollRectToVisible aplaza cualquier acción para un padre que puede proporcionar un comportamiento de desplazamiento, por ejemplo JScrollPane) para desplazarse más allá del final del componente JTable incluido. Se niega a hacer eso y, en su lugar, se desplaza al extremo actual del componente JTable.

En algún momento posterior, el componente JTable se actualiza visualmente y agrega la fila recién agregada debajo de la fila desplazada anteriormente. Puede verificar que esa línea de código funcione agregando un botón que la ejecute independientemente del código que agrega nuevas filas, p.

private JTable _table = new JTable(); 
... 
JButton b = new JButton("Force scroll to bottom"); 
b.addActionListener(new ActionListener() { 
    public void actionPerformed(ActionEvent e) { 
     _table.scrollRectToVisible(_table.getCellRect(_table.getRowCount()-1, 0, true)); 
    } 
}); 
this.add(b); 

La solución a este problema es un poco indirecta, pero funciona de manera confiable en mis pruebas. Como el problema radica en el aspecto visual de las cosas, decidí conectarme al ComponentListener, que proporciona, entre otras cosas, un método componentResized. Cada vez que se agrega o elimina una fila, JTable cambia el tamaño, incluso si no se puede ver visualmente debido a JScrollPane's viewport. Por lo tanto, simplemente ejecute esa línea de código en ese método de escucha, y las cosas funcionarán como se esperaba.

private JTable _table = new JTable(); 
... 
_table.addComponentListener(new ComponentAdapter() { 
    public void componentResized(ComponentEvent e) { 
     _table.scrollRectToVisible(_table.getCellRect(_table.getRowCount()-1, 0, true)); 
    } 
}); 
+0

alegra que hayas encontrado una solución :-) curioso sin embargo: nunca había visto un contexto en el que envolver el scrollRectToVisible en invokeLater no había funcionado - ¿consideraría para mostrar un sscce donde esto sucedió? – kleopatra

+0

realmente gracias, obviamente es un mal diseño en el swing, deberían arreglarlo – AvrDragon

+0

@AvrDragon no hay nada de malo en el diseño ... es la espera habitual hasta que se actualicen las internas. Lo que normalmente se hace en invokeLater, como ya se mencionó en mi último comentario. – kleopatra

1

Gracias a la respuesta de Sam y a otra página que encontré en otro lado, pude resolver este problema.

Pensé que compartiría mi solución para que el siguiente no tenga que armar todo.

¡Disfrútalo!

import java.awt.Rectangle; 
import java.awt.event.ComponentAdapter; 
import java.awt.event.ComponentEvent; 
import java.security.NoSuchAlgorithmException; 
import java.security.SecureRandom; 
import java.text.SimpleDateFormat; 
import java.util.Date; 

import javax.swing.JFrame; 
import javax.swing.JScrollPane; 
import javax.swing.JTable; 
import javax.swing.JViewport; 
import javax.swing.ScrollPaneConstants; 
import javax.swing.SwingUtilities; 
import javax.swing.table.DefaultTableModel; 

/** 
* Demonstrate displaying a specific cell in a JTable when a row is added. 
* <p> 
* The Table Row Index is displayed in one of the table's columns. 
* <p> 
* The cell containing the Value will be selected for displaying. 
* <p> 
* The specified cell will be made visible and, if possible, positioned in the center of the Viewport. 
* <p> 
* The code works regardless of: 
* <ul> 
* <li>Whether or not the table data is sorted</li> 
* <li>The position/visibility of the "Value" column</li> 
* </ul> 
*/ 
public class JTableScrollToRow 
{ 
    static SecureRandom   random; 
    private DefaultTableModel dtm; 

    static 
    { 
     try 
     { 
      random = SecureRandom.getInstance("SHA1PRNG"); 
      int seed = Integer.parseInt((new SimpleDateFormat("SSS")).format(new Date())); 
      random.setSeed(random.generateSeed(seed)); 
     } 
     catch (NoSuchAlgorithmException e) 
     { 
      e.printStackTrace(); 
     } 
    } 

    public void buildGUI() 
    { 
     Object[][] data = {}; 
     Object colNames[] = { 
       "Value", 
       "TableRowIx", 
       "Column A", 
       "Column B", 
       "Column C", 
       "Column D", 
       "Column E", 
       "Column F" }; 

     dtm = new DefaultTableModel(data, colNames); 
     final JTable sampleTable = new JTable(dtm); 
     sampleTable.setDragEnabled(false); 
     sampleTable.setAutoCreateRowSorter(true); 

     // Turn off auto-resizing to allow for columns moved out of the Viewport 
     sampleTable.setAutoResizeMode(JTable.AUTO_RESIZE_OFF); 

     // Populate the table with some data 
     for (int x = 0; x < 200; x++) 
     { 
      addRow(x); 
     } 

     // Create a ScrollPane 
     JScrollPane sp = new JScrollPane(sampleTable); 

     // Provide a horizontal scroll bar so that columns can be scrolled out of the Viewport 
     sp.setHorizontalScrollBarPolicy(ScrollPaneConstants.HORIZONTAL_SCROLLBAR_ALWAYS); 

     final JFrame f = new JFrame(); 
     f.getContentPane().add(sp); 
     f.setTitle("JTable cell display example"); 
     f.pack(); 
     f.setLocationRelativeTo(null); 
     f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE); 
     f.setVisible(true); 

     // Create a thread that periodically adds a row to the table 
     Thread rowAdder = new Thread(new Runnable() 
     { 
      @Override 
      public void run() 
      { 
       do 
       { 
        try 
        { 
         int secs = 5; 
         Thread.sleep(secs * 1000); 
        } 
        catch (InterruptedException e) 
        { 
         e.printStackTrace(); 
        } 

        // Add a row 
        addRow(dtm.getRowCount()); 
       } while (true); 
      } 
     }); 
     rowAdder.start(); 

     // Add the custom ComponentListener 
     sampleTable.addComponentListener(new JTableCellDisplayer(sampleTable)); 
    } 

    /** 
    * Display a table row when it is added to a JTable.<br> 
    * Details available at <a 
    * href="http://stackoverflow.com/questions/4890282/howto-to-scroll-to-last-row-on-jtable">StackOverflow</a>. 
    * <p> 
    * <b>Key information:</b> Whenever a row is added or removed the JTable resizes. This occurs even if the row is 
    * outside of the JScrollPane's Viewport (i.e., the row is not visible). 
    */ 
    class JTableCellDisplayer extends ComponentAdapter 
    { 
     boolean selRow  = false; 
     boolean selCol  = false; 
     boolean firstTime = true; 
     boolean selectData = false; 
     JTable table; 

     public JTableCellDisplayer(JTable jTable) 
     { 
      table = jTable; 
     } 

     @Override 
     public void componentResized(ComponentEvent e) 
     { 
      if (firstTime) 
      { 
       firstTime = false; 
       return; 
      } 

      int viewIx = table.convertRowIndexToView(table.getRowCount() - 1); 

      if (!selRow 
        && !selCol) 
      { 
       System.out.println(" - Select nothing - selectData=" 
         + selectData); 
      } 
      else if (selRow 
        && !selCol) 
      { 
       System.out.println(" - Select row only - selectData=" 
         + selectData); 
      } 
      else if (!selRow 
        && selCol) 
      { 
       System.out.println(" - Select column only - selectData=" 
         + selectData); 
      } 
      else 
      { 
       System.out.println(" - Select cell - selectData=" 
         + selectData); 
      } 

      // If data should be selected, set the selection policies on the table. 
      if (selectData) 
      { 
       table.setRowSelectionAllowed(selRow); 
       table.setColumnSelectionAllowed(selCol); 
      } 

      // Scroll to the VALUE cell (columnIndex=0) that was added 
      displayTableCell(table, viewIx, table.convertColumnIndexToView(0), selectData); 

      // Cycle through all possibilities 
      if (!selRow 
        && !selCol) 
      { 
       selRow = true; 
      } 
      else if (selRow 
        && !selCol) 
      { 
       selRow = false; 
       selCol = true; 
      } 
      else if (!selRow 
        && selCol) 
      { 
       selRow = true; 
       selCol = true; 
      } 
      else 
      { 
       selRow = false; 
       selCol = false; 
       selectData = !selectData; 
      } 

     } 
    } 

    /** 
    * Assuming the table is contained in a JScrollPane, scroll to the cell (vRowIndex, vColIndex). <br> 
    * The specified cell is guaranteed to be made visible.<br> 
    * Every attempt will be made to position the cell in the center of the Viewport. <b>Note:</b> This may not be 
    * possible if the row is too close to the top or bottom of the Viewport. 
    * <p> 
    * It is possible to select the specified cell. The amount of data selected (none, entire row, entire column or a 
    * single cell) is dependent on the settings specified by {@link JTable#setColumnSelectionAllowed(boolean)} and 
    * {@link JTable#setRowSelectionAllowed(boolean)}. 
    * <p> 
    * Original code found <a href="http://www.exampledepot.com/egs/javax.swing.table/VisCenter.html">here</a>. 
    * <p> 
    * 
    * @param table 
    *   - The table 
    * @param vRowIndex 
    *   - The view row index 
    * @param vColIndex 
    *   - The view column index 
    * @param selectCell 
    *   - If <code>true</code>, the cell will be selected in accordance with the table's selection policy; 
    *   otherwise the selected data will not be changed. 
    * @see JTable#convertRowIndexToView(int) 
    * @see JTable#convertColumnIndexToView(int) 
    */ 
    public static void displayTableCell(JTable table, int vRowIndex, int vColIndex, boolean selectCell) 
    { 
     if (!(table.getParent() instanceof JViewport)) 
     { 
      return; 
     } 

     JViewport viewport = (JViewport) table.getParent(); 

     /* This rectangle is relative to the table where the 
     * northwest corner of cell (0,0) is always (0,0). 
     */ 
     Rectangle rect = table.getCellRect(vRowIndex, vColIndex, true); 

     // The location of the view relative to the table 
     Rectangle viewRect = viewport.getViewRect(); 

     /* 
     * Translate the cell location so that it is relative 
     * to the view, assuming the northwest corner of the 
     * view is (0,0). 
     */ 
     rect.setLocation(rect.x 
       - viewRect.x, rect.y 
       - viewRect.y); 

     // Calculate location of rectangle if it were at the center of view 
     int centerX = (viewRect.width - rect.width)/2; 
     int centerY = (viewRect.height - rect.height)/2; 

     /* 
     * Fake the location of the cell so that scrollRectToVisible 
     * will move the cell to the center 
     */ 
     if (rect.x < centerX) 
     { 
      centerX = -centerX; 
     } 
     if (rect.y < centerY) 
     { 
      centerY = -centerY; 
     } 
     rect.translate(centerX, centerY); 

     // If desired and allowed, select the appropriate cell 
     if (selectCell 
       && (table.getRowSelectionAllowed() || table.getColumnSelectionAllowed())) 
     { 
      // Clear any previous selection 
      table.clearSelection(); 

      table.setRowSelectionInterval(vRowIndex, vRowIndex); 
      table.setColumnSelectionInterval(vColIndex, vColIndex); 
     } 

     // Scroll the area into view. 
     viewport.scrollRectToVisible(rect); 
    } 

    private String addRow(int tableRowIndex) 
    { 
     String retVal; 

     int value = random.nextInt(99999999); 
     dtm.addRow(new Object[] { 
       value, 
       tableRowIndex, 
       random.nextInt(99999999), 
       random.nextInt(99999999), 
       random.nextInt(99999999), 
       random.nextInt(99999999), 
       random.nextInt(99999999), 
       random.nextInt(99999999), }); 

     retVal = "Row added - value=" 
       + value + " & tableRowIx=" + tableRowIndex; 

     System.out.println(retVal); 
     return retVal; 
    } 

    public static void main(String[] args) 
    { 
     SwingUtilities.invokeLater(new Runnable() 
     { 
      @Override 
      public void run() 
      { 
       new JTableScrollToRow().buildGUI(); 
      } 
     }); 
    } 

} 
+2

a) no duerma el EDT b) no acceda a los componentes Swing del EDT – kleopatra

1

Por qué no llamar fireTableRowsInserted sobre la actualización de su aplicación TableModel?

I Normalamente tengo algo así como más adelante en mi aplicación TableModel:

public void addRow (MyDataType valToAdd){ 
rows.add(valToAdd); 
fireTableRowsInserted(rows.size()-1,rows.size()-1); 
} 
2

llamada de este método cada vez que desee desplazarse hacia abajo para que el robot de la tabla. Y el problema anterior se resuelve mediante el uso de este método.

public void scrolltable() 
{ 
    table.addComponentListener(new ComponentAdapter() { 
     public void componentResized(ComponentEvent e) { 
      int lastIndex =table.getCellRect(table.getRowCount()-1; 
      table.changeSelection(lastIndex, 0,false,false); 
     } 
    }); 
} 
+1

edite solo una línea: - int lastIndex = table.getRowCount() - 1; Esto funciona ...! –

Cuestiones relacionadas