Pobierz nazwy kolumn z java.sql.ResultSet

233

Czy java.sql.ResultSetistnieje sposób na uzyskanie nazwy kolumny jako Stringza pomocą indeksu kolumny? Przejrzałem dokument API, ale nic nie mogę znaleźć.

BalusC
źródło

Odpowiedzi:

372

Możesz uzyskać te informacje z ResultSetmetadanych. Zobacz ResultSetMetaData

na przykład

 ResultSet rs = stmt.executeQuery("SELECT a, b, c FROM TABLE2");
 ResultSetMetaData rsmd = rs.getMetaData();
 String name = rsmd.getColumnName(1);

i stamtąd możesz uzyskać nazwę kolumny. Jeśli zrobisz

select x as y from table

wtedy rsmd.getColumnLabel()otrzymasz również nazwę odzyskanej etykiety.

Brian Agnew
źródło
22
Zobacz także rsmd.getColumnLabeljeśli pobiera kolumny z etykietami (na przykładSELECT columnName AS ColumnLabel
T30
15
Możesz być zaskoczony, widząc liczbę kolumn rozpoczynającą się od 1. Możesz iterować nazwy kolumn za pomocąfor (int i = 1; i <= rsmd.getColumnCount(); i++) String name = rsmd.getColumnName(i);
Alphaaa
Czy getColumnName()zwraca oryginalną nazwę kolumny, jeśli nie używa ASaliasów?
Membersound
2
@membersound Tak, jak udokumentowano w Javadoc : „Jeśli SQL ASnie zostanie określony, wartość zwrócona z getColumnLabelbędzie taka sama jak wartość zwrócona przez getColumnNamemetodę.” . W prawie wszystkich przypadkach powinieneś użyć getColumnLabelzamiast getColumnName.
Mark Rotteveel,
1
To się nie powiedzie, jeśli tabela jest pusta.
andronix
140

Oprócz powyższych odpowiedzi, jeśli pracujesz z zapytaniem dynamicznym i chcesz nazwy kolumn, ale nie wiesz, ile jest kolumn, możesz użyć obiektu ResultSetMetaData, aby najpierw uzyskać liczbę kolumn, a następnie je przełączać .

Zmiana kodu Briana:

ResultSet rs = stmt.executeQuery("SELECT a, b, c FROM TABLE2");
ResultSetMetaData rsmd = rs.getMetaData();
int columnCount = rsmd.getColumnCount();

// The column count starts from 1
for (int i = 1; i <= columnCount; i++ ) {
  String name = rsmd.getColumnName(i);
  // Do stuff with name
}
Cyntech
źródło
czy to nie prawda? for (int i = 1; i <= columnCount + 1; i ++) {...}
Martin
3
@ Martin Nie, ponieważ będzie to próbować uzyskać kolumnę n + 1, która nie istnieje. Jeśli chcesz być absolutnie zwięzły, to byłoby i <= columnCount.
Cyntech
21

Możesz do tego użyć obiektu ResultSetMetaData ( http://java.sun.com/javase/6/docs/api/java/sql/ResultSetMetaData.html ) w tym celu:

ResultSet rs = stmt.executeQuery("SELECT * FROM table");
ResultSetMetaData rsmd = rs.getMetaData();
String firstColumnName = rsmd.getColumnName(1);
Szymon
źródło
1
dzięki, pomogło mi to ... użyłem go jako: resultSet.getString (resultSet.findColumn ("pełna nazwa"))
C Sharper
Ogranicz pobrane rekordy do 1. W przeciwnym razie, jeśli tabela jest zbyt duża, wówczas niepotrzebne koszty ogólne. Np. W przypadku bazy teradatabase: użyj zapytania „SELECT * FROM table SAMPLE 1”
josepainumkal 10.10.19
11

To pytanie jest stare, podobnie jak poprzednie prawidłowe odpowiedzi. Ale kiedy szukałem tego tematu, szukałem czegoś takiego. Mam nadzieję, że to komuś pomaga.

// Loading required libraries    
import java.util.*;
import java.sql.*;

public class MySQLExample {
  public void run(String sql) {
    // JDBC driver name and database URL
    String JDBC_DRIVER = "com.mysql.jdbc.Driver";
    String DB_URL = "jdbc:mysql://localhost/demo";

    // Database credentials
    String USER = "someuser"; // Fake of course.
    String PASS = "somepass"; // This too!

    Statement stmt = null;
    ResultSet rs = null;
    Connection conn = null;
    Vector<String> columnNames = new Vector<String>();

    try {
      // Register JDBC driver
      Class.forName(JDBC_DRIVER);

      // Open a connection
      conn = DriverManager.getConnection(DB_URL, USER, PASS);

      // Execute SQL query
      stmt = conn.createStatement();
      rs = stmt.executeQuery(sql);
      if (rs != null) {
        ResultSetMetaData columns = rs.getMetaData();
        int i = 0;
        while (i < columns.getColumnCount()) {
          i++;
          System.out.print(columns.getColumnName(i) + "\t");
          columnNames.add(columns.getColumnName(i));
        }
        System.out.print("\n");

        while (rs.next()) {
          for (i = 0; i < columnNames.size(); i++) {
            System.out.print(rs.getString(columnNames.get(i))
                + "\t");

          }
          System.out.print("\n");
        }

      }
    } catch (Exception e) {
      System.out.println("Exception: " + e.toString());
    }

    finally {
      try {
        if (rs != null) {
          rs.close();
        }
        if (stmt != null) {
          stmt.close();
        }
        if (conn != null) {
          conn.close();
        }
      } catch (Exception mysqlEx) {
        System.out.println(mysqlEx.toString());
      }

    }
  }
}
Ronald Weidner
źródło
5

SQLite 3

Korzystanie z getMetaData ();

DatabaseMetaData md = conn.getMetaData();
ResultSet rset = md.getColumns(null, null, "your_table_name", null);

System.out.println("your_table_name");
while (rset.next())
{
    System.out.println("\t" + rset.getString(4));
}

EDYCJA: Działa to również z PostgreSQL

Sedrick
źródło
Wypróbowałem to w bazie danych teradata i otrzymałem błąd „[Baza danych Teradata] [TeraJDBC 16.20.00.02] [Błąd 9719] [SQLState HY000] Funkcja QVCI jest wyłączona.”
josepainumkal
2
import java.sql.*;

public class JdbcGetColumnNames {

    public static void main(String args[]) {
        Connection con = null;
        Statement st = null;
        ResultSet rs = null;

        try {
            Class.forName("com.mysql.jdbc.Driver");
            con = DriverManager.getConnection(
                    "jdbc:mysql://localhost:3306/komal", "root", "root");

            st = con.createStatement();

            String sql = "select * from person";
            rs = st.executeQuery(sql);
            ResultSetMetaData metaData = rs.getMetaData();

            int rowCount = metaData.getColumnCount();

            System.out.println("Table Name : " + metaData.getTableName(2));
            System.out.println("Field  \tDataType");

            for (int i = 0; i < rowCount; i++) {
                System.out.print(metaData.getColumnName(i + 1) + "  \t");
                System.out.println(metaData.getColumnTypeName(i + 1));
            }
        } catch (Exception e) {
            System.out.println(e);
        }
    }
}

Nazwa tabeli: osoba Pole DataType id VARCHAR cname VARCHAR dob DATE

Deep Rathod
źródło
1

Gdy potrzebujesz nazw kolumn, ale nie chcesz pobierać wpisów:

PreparedStatement stmt = connection.prepareStatement("SHOW COLUMNS FROM `yourTable`");

ResultSet set = stmt.executeQuery();

//store all of the columns names
List<String> names = new ArrayList<>();
while (set.next()) { names.add(set.getString("Field")); }

UWAGA: Działa tylko z MySQL

Hunter S.
źródło
1
Tylko to działało dla mnie !! Musiałem zejść na dół po to. Nie jestem pewien, dlaczego getColumnName (i) i getColumnLabel (i) odzyskały mnie nieoczekiwane dziwne dane. Wielkie dzięki!
VipiN Negi
Cieszę się, że to pomogło!
Hunter S
1
while (rs.next()) {
   for (int j = 1; j < columncount; j++) {
       System.out.println( rsd.getColumnName(j) + "::" + rs.getString(j));      
   }
}
Jagadish Chenna
źródło
6
Czy możesz rozszerzyć swoją odpowiedź o bardziej szczegółowe wyjaśnienia? Będzie to bardzo przydatne do zrozumienia. Dziękuję Ci!
vezunchik
1

Instrukcje SQL odczytujące dane z zapytania do bazy danych zwracają dane w zestawie wyników. Instrukcja SELECT jest standardowym sposobem wybierania wierszy z bazy danych i przeglądania ich w zestawie wyników. **java.sql.ResultSet**Interfejs reprezentuje zestaw wyników kwerendy bazy danych.

  • Uzyskaj metody: służy do wyświetlania danych w kolumnach bieżącego wiersza wskazywanych przez kursor.

Za pomocą MetaData of a result set to fetch the exact column count

ResultSet rs = stmt.executeQuery("SELECT a, b, c FROM TABLE2");
ResultSetMetaData rsmd = rs.getMetaData();
int numberOfColumns = rsmd.getColumnCount();
boolean b = rsmd.isSearchable(1);

http://docs.oracle.com/javase/7/docs/api/java/sql/ResultSetMetaData.html

i jeszcze więcej, aby powiązać go z tabelą modelu danych

public static void main(String[] args) {
    Connection conn = null;
    Statement stmt = null;
    try {
        //STEP 2: Register JDBC driver
        Class.forName("com.mysql.jdbc.Driver");

        //STEP 3: Open a connection
        System.out.println("Connecting to a selected database...");
        conn = DriverManager.getConnection(DB_URL, USER, PASS);
        System.out.println("Connected database successfully...");

        //STEP 4: Execute a query
        System.out.println("Creating statement...");
        stmt = conn.createStatement();

        String sql = "SELECT id, first, last, age FROM Registration";
        ResultSet rs = stmt.executeQuery(sql);
        //STEP 5: Extract data from result set
        while(rs.next()){
            //Retrieve by column name
            int id  = rs.getInt("id");
            int age = rs.getInt("age");
            String first = rs.getString("first");
            String last = rs.getString("last");

            //Display values
            System.out.print("ID: " + id);
            System.out.print(", Age: " + age);
            System.out.print(", First: " + first);
            System.out.println(", Last: " + last);
        }
        rs.close();
    } catch(SQLException se) {
        //Handle errors for JDBC
        se.printStackTrace();
    } catch(Exception e) {
        //Handle errors for Class.forName
        e.printStackTrace();
    } finally {
        //finally block used to close resources
        try {
            if(stmt!=null)
                conn.close();
        } catch(SQLException se) {
        } // do nothing
        try {
            if(conn!=null)
                conn.close();
        } catch(SQLException se) {
            se.printStackTrace();
        } //end finally try
    }//end try
    System.out.println("Goodbye!");
}//end main
//end JDBCExample

bardzo fajny samouczek tutaj: http://www.tutorialspoint.com/jdbc/

ResultSetMetaData meta = resultset.getMetaData();  // for a valid resultset object after executing query

Integer columncount = meta.getColumnCount();

int count = 1 ; // start counting from 1 always

String[] columnNames = null;

while(columncount <=count) {
    columnNames [i] = meta.getColumnName(i);
}

System.out.println (columnNames.size() ); //see the list and bind it to TableModel object. the to your jtbale.setModel(your_table_model);
Daniel Adenew
źródło
0

@Cyntech ma rację.

Ponieważ twoja tabela jest pusta i nadal musisz uzyskać nazwy kolumn tabeli, możesz uzyskać kolumnę jako typ Vector, zobacz następujące informacje:

ResultSet rs = stmt.executeQuery("SELECT a, b, c FROM TABLE2");
ResultSetMetaData rsmd = rs.getMetaData();
int columnCount = rsmd.getColumnCount();

Vector<Vector<String>>tableVector = new Vector<Vector<String>>(); 
boolean isTableEmpty = true;
int col = 0;

 while(rs.next())
    {
      isTableEmpty = false;  //set to false since rs.next has data: this means the table is not empty
       if(col != columnCount)
          {
            for(int x = 1;x <= columnCount;x++){
                 Vector<String> tFields = new Vector<String>(); 
                 tFields.add(rsmd.getColumnName(x).toString());
                 tableVector.add(tFields);
             }
            col = columnCount;
          }
     } 


      //if table is empty then get column names only
  if(isTableEmpty){  
      for(int x=1;x<=colCount;x++){
           Vector<String> tFields = new Vector<String>(); 
           tFields.add(rsmd.getColumnName(x).toString());
           tableVector.add(tFields);
        }
      }

 rs.close();
 stmt.close();

 return tableVector; 
21stking
źródło
0
ResultSet rsTst = hiSession.connection().prepareStatement(queryStr).executeQuery(); 
ResultSetMetaData meta = rsTst.getMetaData();
int columnCount = meta.getColumnCount();
// The column count starts from 1

String nameValuePair = "";
while (rsTst.next()) {
    for (int i = 1; i < columnCount + 1; i++ ) {
        String name = meta.getColumnName(i);
        // Do stuff with name

        String value = rsTst.getString(i); //.getObject(1);
        nameValuePair = nameValuePair + name + "=" +value + ",";
        //nameValuePair = nameValuePair + ", ";
    }
    nameValuePair = nameValuePair+"||" + "\t";
}
Rabi
źródło
0

Jeśli chcesz użyć wiosennego jdbctemplate i nie chcesz zajmować się obsługą połączeń, możesz użyć następujących opcji:

jdbcTemplate.query("select * from books", new RowCallbackHandler() {
        public void processRow(ResultSet resultSet) throws SQLException {
            ResultSetMetaData rsmd = resultSet.getMetaData();
            for (int i = 1; i <= rsmd.getColumnCount(); i++ ) {
                String name = rsmd.getColumnName(i);
                // Do stuff with name
            }
        }
    });
rozkładana sofa
źródło
0

Możesz uzyskać nazwę i wartość kolumny z resultSet.getMetaData (); Ten kod działa dla mnie:

Connection conn = null;
PreparedStatement preparedStatement = null;
    try {
        Class.forName("com.mysql.cj.jdbc.Driver");
        conn = MySQLJDBCUtil.getConnection();
        preparedStatement = conn.prepareStatement(sql);
        if (params != null) {
            for (int i = 0; i < params.size(); i++) {
                preparedStatement.setObject(i + 1, params.get(i).getSqlValue());
            }
            ResultSet resultSet = preparedStatement.executeQuery();
            ResultSetMetaData md = resultSet.getMetaData();
            while (resultSet.next()) {
                int counter = md.getColumnCount();
                String colName[] = new String[counter];
                Map<String, Object> field = new HashMap<>();
                for (int loop = 1; loop <= counter; loop++) {
                    int index = loop - 1;
                    colName[index] = md.getColumnLabel(loop);
                    field.put(colName[index], resultSet.getObject(colName[index]));
                }
                rows.add(field);
            }
        }
    } catch (SQLException e) {
        e.printStackTrace();
    } finally {
        if (preparedStatement != null) {
            try {
                preparedStatement.close();
            }catch (Exception e1) {
                e1.printStackTrace();
            }
        }
        if (conn != null) {
            try {
                conn.close();
            } catch (SQLException e) {
                e.printStackTrace();
            }
        }
    }
    return rows;
君主 不是 我
źródło
0

Wiem, na to pytanie już udzielono odpowiedzi, ale prawdopodobnie ktoś taki jak ja musi uzyskać dostęp do nazwy kolumny według nazwy DatabaseMetaDatazamiast indeksu:

ResultSet resultSet = null;
DatabaseMetaData metaData = null;

    try {
        metaData  = connection.getMetaData();
        resultSet = metaData.getColumns(null, null, tableName, null);

        while (resultSet.next()){
            String name = resultSet.getString("COLUMN_NAME");
        }
    }
Pavlo Rozbytskyi
źródło