I created a class that is meant to show a JTable populated with data taken from a database with hibernate:
public class FLlistes extends JInternalFrame {
private JTable table;
private DefaultTableModel model;
//some code for more components of the form
String[] columns = {"Id","Data", "Lloc"};
model = new DefaultTableModel(columns, 0) {
#Override
public Class<?> getColumnClass(int columna) {
if (columna == 2)
return LocalDate.class;
return Object.class;
}
#Override
public boolean isCellEditable(int row, int column) {
return false;
}
};
table = new JTable(model);
JScrollPane scrollPane = new JScrollPane();
scrollPane.setBounds(49, 176, 732, 361);
getContentPane().add(scrollPane);
scrollPane.setViewportView(table);
//some code for more components of the form
}
Then I have a class that makes the queries with hibernate. The next method is supposed to collect data from a table and populate the table I created before.
public class AccionsBD {
public static void GetAllLlistes() {
String jql = "select llc from LlistaCompra llc";
EntityManager entityManager = JPAUtil.getEntityManagerFactory().createEntityManager();
TypedQuery<LlistaCompra> q = entityManager.createQuery(jql,LlistaCompra.class);
List<LlistaCompra> llistes = q.getResultList();
FLlistes fl = new FLlistes();
for (LlistaCompra llista: llistes) {
System.out.println(llista.getIdLlista());
System.out.println(llista.getData());
System.out.println(llista.getLloc());
Object[] objFila = new Object[3];
objFila[0] = llista.getIdLlista();
objFila[1] = llista.getData();
objFila[2] = llista.getLloc();
fl.getModel().addRow(objFila);
}
entityManager.close();
}
}
The purpose of the System.out.println inside the loop is only to check that the query works. The query is working fine, I tried debugging and the end of the loop objFila contains all the correct data, but the table in the form never shows anything besides the table header. What am I missing?
Also, for some reason sometimes when I run the app the form shows up, and somtimes it doesn't. It does this without even changing the code. Why does this happen?
Edit: this is my getter:
public DefaultTableModel getModel() {
return model;
}
Related
What I am trying to do is to populate a JTable from an ArrayList.
The array list is a type Record which I have defined below:
public class Record {
int Parameter_ID;
int NDC_Claims;
int NDC_SUM_Claims;
public Record(int parameter, int claims, int ndc_sum_claims){
Parameter_ID = parameter;
NDC_Claims = claims;
NDC_SUM_Claims = ndc_sum_claims;
}
public Record() {
// TODO Auto-generated constructor stub
}
I don't know how to populate the table with the column headers as well. This is what I have so far:
DefaultListModel listmodel = new DefaultListModel();
ArrayList<Record> test = new ArrayList<Record>();
DefaultTableModel modelT = new DefaultTableModel();
Object data1[] = new Object[3];
for(int i=0; i<test.size();i++){
data1[0] = test.get(i).Parameter_ID;
data1[1] = test.get(i).NDC_SUM_Claims;
data1[2] = test.get(i).NDC_Claims;
modelT.addRow(data1);
}
table_1 = new JTable(modelT, columnNames);
contentPane.add(table_1, BorderLayout.CENTER);
contentPane.add(table_1.getTableHeader(), BorderLayout.NORTH);
Nothing is outputted. Any help would be great!
Well you need to start by reading the API. You can't program if you don't read the API first.
DefaultTableModel modelT = new DefaultTableModel();
When you read the API what does that constructor do? It creates a model with 0 rows and 0 columns. You will want to create a model with 3 columns and 0 rows so that you can add rows of data to the model. Read the DefaultTableModel API
table_1 = new JTable(modelT, columnNames);
What does that statment do? I don't see a constructor that allows you to specify a model and column names so how does your code compile. You just want to create the table using
the model.
contentPane.add(table_1, BorderLayout.CENTER);
contentPane.add(table_1.getTableHeader(), BorderLayout.NORTH);
The table should be added to the viewport of a JScrollPane. The header will then be displayed as the column header of the scroll pane.
Read the JTable API. The API also has a link to the Swing tutorial on How to Use Tables you need to read for the basics.
ArrayList<Record> test = new ArrayList<Record>();
You create an empty ArrayList. So what do you expect to happen when you iterate through the loop? How can you add data to the model if there is no data in the ArrayList?
Also, did you search the forum/web for examples that use the DefaultTableModel or JTable classes. Those examples will help you write your code.
You can create a custom AbstractTableModel and then create a JTable using that model.
Here is a class handling ArrayList of Arrays:
import java.util.ArrayList;
import javax.swing.table.AbstractTableModel;
public class DataTableModel<T> extends AbstractTableModel {
/**
* Benjamin Rathelot
*/
private static final long serialVersionUID = -7361470013779016219L;
private ArrayList<T[]> data = new ArrayList<T[]>();
private String[] tableHeaders;
public DataTableModel(ArrayList<T[]> data, String[] headers) {
super();
this.data = data;
this.tableHeaders = headers;
}
#Override
public int getRowCount() {
return data.size();
}
#Override
public int getColumnCount() {
if(data.size()>0) return data.get(0).length;
return 0;
}
#Override
public Object getValueAt(int arg0, int arg1) {
// TODO Auto-generated method stub
if(data.size()>=arg0) {
if(data.get(arg0).length>=arg1) {
return data.get(arg0)[arg1];
}
}
return null;
}
#Override
public String getColumnName(int columnIndex) {
return tableHeaders[columnIndex];
}
}
This question already has an answer here:
Store products in a TreeSet and print the content in a JTable
(1 answer)
Closed 7 years ago.
I'm trying to display a single JTable, but I keep getting many new JTables everytime I insert a new product: http://i.stack.imgur.com/gyNsn.png
How can I display just one JTable and also make the column names visible?
Here is the method that creates the table:
public JTable populate(Product p) {
Vector<Vector<Object>> data = new Vector<Vector<Object>>();
Vector<Object> row = new Vector<Object>();
Vector<String> headers = new Vector<String>();
headers.add("Product name");
headers.add("Price");
headers.add("In stock");
row.add(p.getProductName());
row.add(p.getPrice());
row.add(p.getStock());
data.add(row);
productsTable = new JTable(data, headers);
return (new JTable(data, headers));
}
And here is a part from the GUI class:
addProductBtn.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
Product product = new Product(insertProductName.getText(), Integer.parseInt(insertPrice.getText()), Integer.parseInt(insertStock.getText()));
warehouse.addProduct(product); // by using a TreeSet
productsTable = warehouse.populate(product); // here I call the earlier defined method
warehouse.initFile(); // I wrote the productsTable content into a binary file, so that it can act like a database
warehouse.readFile();
warehouse.populate(product);
manageProductsPanel.add(productsTable);
});
The populate method you posted creates a new JTable every time it is called. Given this is called every time the ActionListener is called, a new JTable will be added. You should consider creating your own TableModel - extend AbstractTableModel and override the necessary methods, returning the appropriate values for each row/column. A simple example is below, making some assumptions about project structure for demo's sake (for instance warehouse is an instance of a List):
public class MyTableModel extends AbstractTableModel{
#Override
public int getColumnCount() {
return 3;
}
#Override
public int getRowCount() {
return warehouse.size();
}
#Override
public Object getValueAt(int arg0, int arg1) {
switch(arg1){
case 0:
return warehouse.get(arg0).getName();
case 1:
return warehouse.get(arg0).getPrice();
default:
return warehouse.get(arg0).isInStock();
}
}
#Override
public String getColumnName(int col){
switch(col){
case 0:
return "Name";
case 1:
return "Price";
default:
return "In STock";
}
}
}
You can then create an instance of this class, and set the table model for the JTable. Every time the backed List is updated, you can update the Listeners of the TableModel
MyTableModel tableModel = new MyTableModel();
myTable.setMOdel(tableModel);
.......
//when an item is added to
warehouse.add(item);
tableModel.fireTableDataChanged();
There are more demonstrations for how to customize a JTable in the Oracle Tutorials
im developing an application and i'm trying to insert a new row into jtable
i've followed this tutorial , the user can add/remove product information(row) through a form.the database & the table should be updated ,the remove function works well but i can't insert new row into the table .
Note:- when i close the app & run it again the table is updated
and here's my code
public class TableModel extends AbstractTableModel {
Object[] values;
String[] columnNames;
private ArrayList productInfoList;
public TableModel() {
super();
Session session = HibernateUtil.openSession();
Query q = session.createQuery("from Product");
productInfoList = new ArrayList(q.list());
session.close();
}
#Override
public int getRowCount() {
//return dataVec.size();
return productInfoList.size();
}
#Override
public int getColumnCount() {
return 9;
}
#Override
public Object getValueAt(int rowIndex, int columnIndex) {
Product product = (Product) productInfoList.get(rowIndex);
values = new Object[]{product.getProdectId(),
product.getProductName(), product.getProductBuyingPrice(),
product.getProductSalesPrice(), product.getCategory(), product.getBrand(),
product.getProductQuantity(), product.getProductMinQuantity(), product.getProductDescription()};
return values[columnIndex];
}
#Override
public String getColumnName(int column)
{
columnNames=new String[]{"id","Product Name","Buy price","Sale price ","Category",
"Brand","Quantatity","Min Quantatity","Description"};
return columnNames[column];
}
public void removeRow(int rowIndex) {
productInfoList.remove(rowIndex);
fireTableRowsDeleted(rowIndex, rowIndex);
}
public void insertRow(int rowIndex,Product everyRow) {
productInfoList.add(rowIndex, everyRow);
fireTableRowsInserted(rowIndex, rowIndex);
}
}
this is the code that i try to insert row with
public void AddRow() {
int position = jTable1.getRowCount() - 1;
System.out.println(position); // test
Product product = new Product();
tablemodel.insertRow(position, product);
}
Please help me as i'm get tired of it :|
Your TableModel is storing a Product object in an ArrayList.
So, when you want to add a new row to the model you need to create a new Product object and add the Product to the ArrayList.
Also, you don't need to invoke table.repaint(), the insertRow(...) method is invoking the fireTableRowsInserted(...) method which will tell the table to repaint the row.
I am trying to make my jTable sort numbers but it still does not work. I am not sure what I am doing wrong, but everything seems alright.
My code:
public static javax.swing.JTable jTable1;
public void fillMain() {
jTable1 = new javax.swing.JTable();
//finalcolumns is a List<String> of all my column names
//types is List<Class> of classes of my columns
DefaultTableModel tm = new DefaultTableModel(new Object[0][], new String[] {"testcolumn1", "testcolumn2", "testcolumn3"}) {
#Override
public Class<?> getColumnClass(int col) {
System.out.println("Class: " types.get(col).toString());
//here it really returns the right column class (Integer.class)
return types.get(col);
}
#Override
public int getColumnCount() {
return finalcolumns.size();
}
#Override
public String getColumnName(int col) {
return finalcolumns.get(col);
}
};
jTable1.setModel(tm);
jTable1.setAutoCreateRowSorter(true);
}
As I tagged inside the code, I am Overriding DefaultTableModel methods and the overriding works as it should, all methods that I Override returns proper values.
So it is like: TableModel says: "this column is Integer class and it contains integer objects so I sort it like a String".
Why it happens ?
You are approaching the problem correctly, but I suspect there may be an issue with the way you are initializing the table or with the finalColumns or types lists that are not shown.
A generalized way to implement getColumnClass is shown below. This is based on the suggested implementation presented in the Java Tutorials, but with an added check to protect against a table model with 0 rows:
#Override
public Class<?> getColumnClass(int col) {
Class retVal = Object.class;
if(getRowCount() > 0)
retVal = getValueAt(0, col).getClass();
return retVal;
}
If you replace your tm TableModel declaration/initialization with this snippet below, it should provide the behavior you seek. You should just need to change how it populates the table data and columnHeaders.
Object[][] data = new Object[5][3];
data[0][0] = "word";
data[1][0] = "jive";
data[2][0] = "stuff";
data[3][0] = "word2";
data[4][0] = "abc";
data[0][1] = new Integer(410);
data[1][1] = new Integer(45);
data[2][1] = new Integer(456456);
data[3][1] = new Integer(4);
data[4][1] = new Integer(4);
String[] columnNames = new String[] {"testcolumn1", "testcolumn2"};
DefaultTableModel tm2 = new DefaultTableModel(data, columnNames) {
#Override
public Class<?> getColumnClass(int col) {
Class retVal = Object.class;
if(getRowCount() > 0)
retVal = getValueAt(0, col).getClass();
return retVal;
}
};
Hope this helps.
I have a tree and a table on my panel, when I click the tree node, the table needs to change at the same time, but it doesn't. I search online and read the Java tutorial and didn't find any solutions. From some posts I think I need to use fireTableStruetureChanged(), but it just doesn't work in my code. Could anyone help me out of this? The following is the code. Thanks a ton!
public class tableStructureChange extends JFrame implements ... {
.....
/ //columnNames is a public variable, because I need to change the columns later
columnNames = new String[] {"col1","col2"}; */
data = new String[][]{
{"Mary", "Campione"},
{"Alison", "Huml"}, };
table = new JTable(new MyTableModel());
table.setAutoCreateColumnsFromModel( false );
feedback = new JScrollPane(table); //feedback is the bottom panel
...
}
//the following class is the problem, i need the table to be reloaded
//when the class is called, but the table doesn't change at all
public void displayFeedback(String tempString) {
//create table for bottom panel
columnNames = new String[] {"col3","col4", "col5"};
String[][] data = new String[][]{
{"Mary", "Campione", "us"},
{"Alison", "Huml", "canada"}, };
//table = new JTable(data, columnNames);
//fireTableStructureChanged(); //this is the problem part
}
// my table model
class MyTableModel extends AbstractTableModel {
String[] columnNames = new String[] {"col1","col2"};
public int getColumnCount() {
return columnNames.length;
}
public int getRowCount() {
return data.length;
}
public String getColumnName(int col) {
return columnNames[col];
}
public Object getValueAt(int row, int col) {
return data[row][col];
}
}
...
}
In your method displayFeedback you seem to be hoping to replace the JTable object and have the display change to reflect what is selected in the JTree above. Instead of replacing what is in the View object, you should focus your effort on updating the Model, in this case, the AbstractTableModel subclass that you have created. There are a couple ways you can do that, but for a brute force proof of concept, you could do something like the following:
add a constructor to MyTableModel that takes a 2 dimensional array of data
in displayFeedback, create a new instance of MyTableModel that has new data relevant to the tree node that was selected.
call setModel on your global table variable.