[ENGLISH VERSION] Java read excel with Apache Poi Java API
En cualquier aplicación o desarrollo suele ser necesario procesar ficheros excel u otro tipo de hojas de cálculo, en este caso nos vamos a centrar en los documentos OLE 2 de Microsoft, y que manipularemos en este caso usando Apache POI – the Java API for Microsoft Documents, que nos proporciona acceso a los diferentes tipos de ficheros de Microsoft que utilizan esta estructura como: Excel, Word o Powerpoint, también hay otros proyectos dentro de esta API para Visio y Publisher por ejemplo, de todos estos el más desarrollado es Excel Workbooks.
Echa la introducción, vamos al grano, introduciendo los elementos de está librería que vamos a utilizar para leer y crear una hoja excel. Usaremos de todas la librería POI-HSSF and POI-XSSF – Java API To Access Microsoft, donde HSSF es el proyecto POI de implementación total en Java para ficheros excel.
- HSSFWorkbook: Representación de alto nivel de un libro (Workbook) que será nuestra documento excel. Es el primer objeto que construiremos si vamos a leer o escribir una hoja excel.
- HSSFSheet: representación de alto nivel de una hoja excel, podemos elegir la hoja de la excel usando el HSSFWorkBook.
- HSSFRow: representación de celda de una fila de la hoja excel, solo las filas que tienen filas se pueden añadir a la hoja.
- HSSFCell: representación de una celda en una fila de la un hoja de la excel, la utilizaremos para manejar el contenido de la celda.
Añadimos la librería Apache Poi Java API
Antes de nada, tenemos que descargar la librería API Apache Poi Java, para añadirla a nuestro proyecto, voy a explicar cómo hacerlo en el IDE que estoy usando para este ejemplo: Netbeans, en otros IDES será similar la forma de integración de las librerías.
En nuestro proyecto buscamos la carpeta Libraries nos colocamos encima y seleccionamos Add Library, no tiene mucho que explicar así que te lo mostraré en imágenes:
Java leer excel con Apache Poi Java API
Vamos a crear la clase de utilidades JavaPoiUtils donde crearemos métodos para el aprendizaje en Java de la lectura y escritura de ficheros excel con Apache POI, para este ejemplo utilizo el siguiente fichero excel con países, monedas e idiomas:
Este es su contenido:
A continuación el código Xules donde tenéis todas las explicaciones de lo que se hace:
package org.xulescode.poi; import java.io.File; import java.io.FileInputStream; import java.io.FileNotFoundException; import java.io.IOException; import java.io.InputStream; import org.apache.poi.hssf.usermodel.HSSFCell; import org.apache.poi.hssf.usermodel.HSSFRow; import org.apache.poi.hssf.usermodel.HSSFSheet; import org.apache.poi.hssf.usermodel.HSSFWorkbook; import org.apache.poi.ss.usermodel.Cell; /** * Utility class, where we will create methods for training read and write excel files, * with <a href="https://poi.apache.org/">Apache POI</a>, we use * <a href="https://poi.apache.org/spreadsheet/">POI-HSSF and POI-XSSF - Java API To Access Microsoft</a> * HSSF is the POI Project's pure Java implementation of the Excel '97(-2007) file. * * Clase de utilidades, donde crearemos métodos * para el aprendizaje de la lectura y escritura de ficheros excel con * <a href="https://poi.apache.org/">Apache POI</a>, usaremos * <a href="https://poi.apache.org/spreadsheet/">POI-HSSF and POI-XSSF - Java API To Access Microsoft</a> * HSSF es el proyecto POI de implementación total en Java para ficheros Excel '97(-2007). * * @author Xules You can follow me on my website http://www.codigoxules.org/en * Puedes seguirme en mi web http://www.codigoxules.org). */ public class JavaPoiUtils { /** * Explanation of the method by which we read the excel file we pass as * parameter if exists, in this example we print the content in the console. * Explicación del método con el que leemos el fichero excel que pasamos como * parámetro si existe, en este ejemplo mostramos el contenido por la consola. * <h3>Example (Ejemplo)</h3> * <pre> * JavaPoiUtils javaPoiUtils = new JavaPoiUtils(); * javaPoiUtils.readExcelFile(new File("/home/xules/codigoxules/apachepoi/PaisesIdiomasMonedas.xls")); * </pre> * * @param excelFile <code>String</code> * excel File we are going to read. * Fichero excel que vamos a leer. */ public void readExcelFile(File excelFile){ InputStream excelStream = null; try { excelStream = new FileInputStream(excelFile); // High level representation of a workbook. // Representación del más alto nivel de la hoja excel. HSSFWorkbook hssfWorkbook = new HSSFWorkbook(excelStream); // We chose the sheet is passed as parameter. // Elegimos la hoja que se pasa por parámetro. HSSFSheet hssfSheet = hssfWorkbook.getSheetAt(0); // An object that allows us to read a row of the excel sheet, and extract from it the cell contents. // Objeto que nos permite leer un fila de la hoja excel, y de aquí extraer el contenido de las celdas. HSSFRow hssfRow; // Initialize the object to read the value of the cell // Inicializo el objeto que leerá el valor de la celda HSSFCell cell; // I get the number of rows occupied on the sheet // Obtengo el número de filas ocupadas en la hoja int rows = hssfSheet.getLastRowNum(); // I get the number of columns occupied on the sheet // Obtengo el número de columnas ocupadas en la hoja int cols = 0; // A string used to store the reading cell // Cadena que usamos para almacenar la lectura de la celda String cellValue; // For this example we'll loop through the rows getting the data we want // Para este ejemplo vamos a recorrer las filas obteniendo los datos que queremos for (int r = 0; r < rows; r++) { hssfRow = hssfSheet.getRow(r); if (hssfRow == null){ break; }else{ System.out.print("Row: " + r + " -> "); for (int c = 0; c < (cols = hssfRow.getLastCellNum()); c++) { /* We have those cell types (tenemos estos tipos de celda): CELL_TYPE_BLANK, CELL_TYPE_NUMERIC, CELL_TYPE_BLANK, CELL_TYPE_FORMULA, CELL_TYPE_BOOLEAN, CELL_TYPE_ERROR */ cellValue = hssfRow.getCell(c) == null?"": (hssfRow.getCell(c).getCellType() == Cell.CELL_TYPE_STRING)?hssfRow.getCell(c).getStringCellValue(): (hssfRow.getCell(c).getCellType() == Cell.CELL_TYPE_NUMERIC)?"" + hssfRow.getCell(c).getNumericCellValue(): (hssfRow.getCell(c).getCellType() == Cell.CELL_TYPE_BOOLEAN)?"" + hssfRow.getCell(c).getBooleanCellValue(): (hssfRow.getCell(c).getCellType() == Cell.CELL_TYPE_BLANK)?"BLANK": (hssfRow.getCell(c).getCellType() == Cell.CELL_TYPE_FORMULA)?"FORMULA": (hssfRow.getCell(c).getCellType() == Cell.CELL_TYPE_ERROR)?"ERROR":""; System.out.print("[Column " + c + ": " + cellValue + "] "); } System.out.println(); } } } catch (FileNotFoundException fileNotFoundException) { System.out.println("The file not exists (No se encontró el fichero): " + fileNotFoundException); } catch (IOException ex) { System.out.println("Error in file procesing (Error al procesar el fichero): " + ex); } finally { try { excelStream.close(); } catch (IOException ex) { System.out.println("Error in file processing after close it (Error al procesar el fichero después de cerrarlo): " + ex); } } } /** * Main method for the tests for the methods of the class <strong>Java * read excel</strong> and <strong>Java create excel</strong> * with <a href="https://poi.apache.org/">Apache POI</a>. * <br /> * Método main para las pruebas para los método de la clase, * pruebas de <strong>Java leer excel</strong> y <strong>Java crear excel</strong> * con <a href="https://poi.apache.org/">Apache POI</a>. * @param args */ public static void main(String[] args){ JavaPoiUtils javaPoiUtils = new JavaPoiUtils(); javaPoiUtils.readExcelFile(new File("/home/xules/codigoxules/apachepoi/PaisesIdiomasMonedas.xls")); } }
Este es el resultado que se muestra por pantalla:
Java leer excel a un array con Apache Poi Java API mejorando la lectura
En esto caso vamos a crear un nuevo método mejorando la lectura de la hoja excel haciéndolo de una forma más eficiente, esta es la estructura que vamos a utilizar:
for (Sheet sheet : wb ) { for (Row row : sheet) { for (Cell cell : row) { // Do something here // Haz algo aquí } } }
Estos iterators estás disponibles con las llamadas workbook.sheetIterator(), sheet.rowIterator(), y row.cellIterator(), o para usarlo implícitamente en cada loop.
En el método nuevo que hemos preparado utilizamos está estructura y devolvemos los datos en un ArrayList, despúes en el método main comprobaremos este array para verificar que se ha leído bien el fichero excel:
/** * Explanation of the method by which we read the excel file we pass as * parameter if exists, we return the excel file values in an ArrayList<>. * Explicación del método con el que leemos el fichero excel que pasamos como * parámetro si existe, devolvemos los valores de la hoja excel en un ArrayList<>. * <h3>Example (Ejemplo)</h3> * <pre> * JavaPoiUtils javaPoiUtils = new JavaPoiUtils(); * javaPoiUtils.readExcelFile(new File("/home/xules/codigoxules/apachepoi/PaisesIdiomasMonedas.xls")); * </pre> * * @param excelFile <code>String</code> * excel File we are going to read. * Fichero excel que vamos a leer. * @return <code>ArrayList<String[]></code> we return the excel file values in an ArrayList<> (devolvemos los valores de la hoja excel en un ArrayList<>). */ public ArrayList<String[]> readExcelFileToArray(File excelFile){ ArrayList<String[]> arrayDatos = new ArrayList<>(); InputStream excelStream = null; try { excelStream = new FileInputStream(excelFile); // High level representation of a workbook. // Representación del más alto nivel de la hoja excel. HSSFWorkbook hssfWorkbook = new HSSFWorkbook(excelStream); // We chose the sheet is passed as parameter. // Elegimos la hoja que se pasa por parámetro. HSSFSheet hssfSheet = hssfWorkbook.getSheetAt(0); // An object that allows us to read a row of the excel sheet, and extract from it the cell contents. // Objeto que nos permite leer un fila de la hoja excel, y de aquí extraer el contenido de las celdas. HSSFRow hssfRow = hssfSheet.getRow(hssfSheet.getTopRow()); String [] datos = new String[hssfRow.getLastCellNum()]; // For this example we'll loop through the rows getting the data we want // Para este ejemplo vamos a recorrer las filas obteniendo los datos que queremos for (Row row: hssfSheet) { for (Cell cell : row) { /* We have those cell types (tenemos estos tipos de celda): CELL_TYPE_BLANK, CELL_TYPE_NUMERIC, CELL_TYPE_BLANK, CELL_TYPE_FORMULA, CELL_TYPE_BOOLEAN, CELL_TYPE_ERROR */ datos[cell.getColumnIndex()] = (cell.getCellType() == Cell.CELL_TYPE_STRING)?cell.getStringCellValue(): (cell.getCellType() == Cell.CELL_TYPE_NUMERIC)?"" + cell.getNumericCellValue(): (cell.getCellType() == Cell.CELL_TYPE_BOOLEAN)?"" + cell.getBooleanCellValue(): (cell.getCellType() == Cell.CELL_TYPE_BLANK)?"BLANK": (cell.getCellType() == Cell.CELL_TYPE_FORMULA)?"FORMULA": (cell.getCellType() == Cell.CELL_TYPE_ERROR)?"ERROR":""; } arrayDatos.add(datos); datos = new String[hssfRow.getLastCellNum()]; } } catch (FileNotFoundException fileNotFoundException) { System.out.println("The file not exists (No se encontró el fichero): " + fileNotFoundException); } catch (IOException ex) { System.out.println("Error in file procesing (Error al procesar el fichero): " + ex); } finally { try { excelStream.close(); } catch (IOException ex) { System.out.println("Error in file processing after close it (Error al procesar el fichero después de cerrarlo): " + ex); } } return arrayDatos; }
Actualización del método main que utilizamos para comprobar el resultado:
/** * Main method for the tests for the methods of the class <strong>Java * read excel</strong> and <strong>Java create excel</strong> * with <a href="https://poi.apache.org/">Apache POI</a>. * <br /> * Método main para las pruebas para los método de la clase, * pruebas de <strong>Java leer excel</strong> y <strong>Java crear excel</strong> * con <a href="https://poi.apache.org/">Apache POI</a>. * @param args */ public static void main(String[] args){ JavaPoiUtils javaPoiUtils = new JavaPoiUtils(); ArrayList<String[]> arrayDatosExcel = javaPoiUtils.readExcelFileToArray(new File("/home/xules/codigoxules/apachepoi/PaisesIdiomasMonedas.xls")); int r = 0; for (String[] next : arrayDatosExcel) { System.out.print("Array Row: " + r++ + " -> "); for (int c = 0; c < next.length; c++) { System.out.print("[Column " + c + ": " + next[c] + "] "); } System.out.println(); } }
Este es el resultado que se muestra por pantalla:
Documentación Java leer excel con Apache Poi
- Apache POI – the Java API for Microsoft Documents: APIs for manipulating various file formats based upon Microsoft’s OLE 2 Compound Document format using pure Java. Most MS Office files use OLE2CDF.
- POI-HSSF and POI-XSSF – Java API To Access Microsoft Excel Format Files
- Apache Poi Spreadsheet How To aquí puedes encontrar varios ejemplos más para leer y escribir hojas excel
- Quick guideguía rápida donde se explican con ejemplos las acciones básicas para manipular las hojas excel con Apache Poi Java API
Espero que te haya sido útilXules
In any application or development is often necessary to process Excel files or other spreadsheets, in this case, we will focus on Microsoft’s OLE 2 documents, and manipulate them in this case using Apache POI – the Java API for Microsoft Documents,that provides access to different file types Microsoft that use this structure as Excel, Word or Powerpoint, there are other projects in this API to Visio and Publisher for example all these the more developed Excel Workbooks.
Performed the introduction, we will introduce the elements of this library that we will use to read and create an Excel spreadsheet.
- HSSFWorkbook: High level representation of a workbook. This is the first object will construct whether they are reading or writing a workbook.
- HSSFSheet: high level representation of a worksheet, we can choose the sheet using the HSSFWorkBook.
- HSSFRow: representation of a row of a spreadsheet, only rows that have cells should be added to a Sheet.
- HSSFCell: representation of a cell in a row of a spreadsheet, we use to manage the contents of the cell.
Adding de library Apache Poi Java API
After all we need to download the Apache Poi Java API, then we add it to our project, I’m going to explain how to do it in the IDE I’m using for this example: Netbeans, in other IDEs this will be similar.
In our project we seek Libraries folder we stand up and select Add Library, not much to explain so I’ll show you in pictures:
Java read excel with Apache Poi Java API
First we are going to read a basic Excel file and show it in the console, in my example I use this Excel file with countries, currencies and languages:
This is your content:
Following the Xules Code where you have all the explanations of what is done:
package org.xulescode.poi; import java.io.File; import java.io.FileInputStream; import java.io.FileNotFoundException; import java.io.IOException; import java.io.InputStream; import org.apache.poi.hssf.usermodel.HSSFCell; import org.apache.poi.hssf.usermodel.HSSFRow; import org.apache.poi.hssf.usermodel.HSSFSheet; import org.apache.poi.hssf.usermodel.HSSFWorkbook; import org.apache.poi.ss.usermodel.Cell; /** * Utility class, where we will create methods for training read and write excel files, * with <a href="https://poi.apache.org/">Apache POI</a>, we use * <a href="https://poi.apache.org/spreadsheet/">POI-HSSF and POI-XSSF - Java API To Access Microsoft</a> * HSSF is the POI Project's pure Java implementation of the Excel '97(-2007) file. * * Clase de utilidades, donde crearemos métodos * para el aprendizaje de la lectura y escritura de ficheros excel con * <a href="https://poi.apache.org/">Apache POI</a>, usaremos * <a href="https://poi.apache.org/spreadsheet/">POI-HSSF and POI-XSSF - Java API To Access Microsoft</a> * HSSF es el proyecto POI de implementación total en Java para ficheros Excel '97(-2007). * * @author Xules You can follow me on my website http://www.codigoxules.org/en * Puedes seguirme en mi web http://www.codigoxules.org). */ public class JavaPoiUtils { /** * Explanation of the method by which we read the excel file we pass as * parameter if exists, in this example we print the content in the console. * Explicación del método con el que leemos el fichero excel que pasamos como * parámetro si existe, en este ejemplo mostramos el contenido por la consola. * <h3>Example (Ejemplo)</h3> * <pre> * JavaPoiUtils javaPoiUtils = new JavaPoiUtils(); * javaPoiUtils.readExcelFile(new File("/home/xules/codigoxules/apachepoi/PaisesIdiomasMonedas.xls")); * </pre> * * @param excelFile <code>String</code> * excel File we are going to read. * Fichero excel que vamos a leer. */ public void readExcelFile(File excelFile){ InputStream excelStream = null; try { excelStream = new FileInputStream(excelFile); // High level representation of a workbook. // Representación del más alto nivel de la hoja excel. HSSFWorkbook hssfWorkbook = new HSSFWorkbook(excelStream); // We chose the sheet is passed as parameter. // Elegimos la hoja que se pasa por parámetro. HSSFSheet hssfSheet = hssfWorkbook.getSheetAt(0); // An object that allows us to read a row of the excel sheet, and extract from it the cell contents. // Objeto que nos permite leer un fila de la hoja excel, y de aquí extraer el contenido de las celdas. HSSFRow hssfRow; // Initialize the object to read the value of the cell // Inicializo el objeto que leerá el valor de la celda HSSFCell cell; // I get the number of rows occupied on the sheet // Obtengo el número de filas ocupadas en la hoja int rows = hssfSheet.getLastRowNum(); // I get the number of columns occupied on the sheet // Obtengo el número de columnas ocupadas en la hoja int cols = 0; // A string used to store the reading cell // Cadena que usamos para almacenar la lectura de la celda String cellValue; // For this example we'll loop through the rows getting the data we want // Para este ejemplo vamos a recorrer las filas obteniendo los datos que queremos for (int r = 0; r < rows; r++) { hssfRow = hssfSheet.getRow(r); if (hssfRow == null){ break; }else{ System.out.print("Row: " + r + " -> "); for (int c = 0; c < (cols = hssfRow.getLastCellNum()); c++) { /* We have those cell types (tenemos estos tipos de celda): CELL_TYPE_BLANK, CELL_TYPE_NUMERIC, CELL_TYPE_BLANK, CELL_TYPE_FORMULA, CELL_TYPE_BOOLEAN, CELL_TYPE_ERROR */ cellValue = hssfRow.getCell(c) == null?"": (hssfRow.getCell(c).getCellType() == Cell.CELL_TYPE_STRING)?hssfRow.getCell(c).getStringCellValue(): (hssfRow.getCell(c).getCellType() == Cell.CELL_TYPE_NUMERIC)?"" + hssfRow.getCell(c).getNumericCellValue(): (hssfRow.getCell(c).getCellType() == Cell.CELL_TYPE_BOOLEAN)?"" + hssfRow.getCell(c).getBooleanCellValue(): (hssfRow.getCell(c).getCellType() == Cell.CELL_TYPE_BLANK)?"BLANK": (hssfRow.getCell(c).getCellType() == Cell.CELL_TYPE_FORMULA)?"FORMULA": (hssfRow.getCell(c).getCellType() == Cell.CELL_TYPE_ERROR)?"ERROR":""; System.out.print("[Column " + c + ": " + cellValue + "] "); } System.out.println(); } } } catch (FileNotFoundException fileNotFoundException) { System.out.println("The file not exists (No se encontró el fichero): " + fileNotFoundException); } catch (IOException ex) { System.out.println("Error in file procesing (Error al procesar el fichero): " + ex); } finally { try { excelStream.close(); } catch (IOException ex) { System.out.println("Error in file processing after close it (Error al procesar el fichero después de cerrarlo): " + ex); } } } /** * Main method for the tests for the methods of the class <strong>Java * read excel</strong> and <strong>Java create excel</strong> * with <a href="https://poi.apache.org/">Apache POI</a>. * <br /> * Método main para las pruebas para los método de la clase, * pruebas de <strong>Java leer excel</strong> y <strong>Java crear excel</strong> * con <a href="https://poi.apache.org/">Apache POI</a>. * @param args */ public static void main(String[] args){ JavaPoiUtils javaPoiUtils = new JavaPoiUtils(); javaPoiUtils.readExcelFile(new File("/home/xules/codigoxules/apachepoi/PaisesIdiomasMonedas.xls")); } }
Method main update that we use to check the result:
Java read excel returning an array with Apache Poi Java API improving reading
In this case we will create a new method to improve reading Excel spreadsheet making it a more efficient way, this is the structure that we will use:
for (Sheet sheet : wb ) { for (Row row : sheet) { for (Cell cell : row) { // Do something here } } }
These iterators are available by calling workbook.sheetIterator(), sheet.rowIterator(), and row.cellIterator(), or implicitly using a for-each loop.
In the new method we use is prepared refund structure and data in an ArrayList, then in the main method we will check to verify that the array has been read correctly the Excel file:
/** * Explanation of the method by which we read the excel file we pass as * parameter if exists, we return the excel file values in an ArrayList<>. * Explicación del método con el que leemos el fichero excel que pasamos como * parámetro si existe, devolvemos los valores de la hoja excel en un ArrayList<>. * <h3>Example (Ejemplo)</h3> * <pre> * JavaPoiUtils javaPoiUtils = new JavaPoiUtils(); * javaPoiUtils.readExcelFile(new File("/home/xules/codigoxules/apachepoi/PaisesIdiomasMonedas.xls")); * </pre> * * @param excelFile <code>String</code> * excel File we are going to read. * Fichero excel que vamos a leer. * @return <code>ArrayList<String[]></code> we return the excel file values in an ArrayList<> (devolvemos los valores de la hoja excel en un ArrayList<>). */ public ArrayList<String[]> readExcelFileToArray(File excelFile){ ArrayList<String[]> arrayDatos = new ArrayList<>(); InputStream excelStream = null; try { excelStream = new FileInputStream(excelFile); // High level representation of a workbook. // Representación del más alto nivel de la hoja excel. HSSFWorkbook hssfWorkbook = new HSSFWorkbook(excelStream); // We chose the sheet is passed as parameter. // Elegimos la hoja que se pasa por parámetro. HSSFSheet hssfSheet = hssfWorkbook.getSheetAt(0); // An object that allows us to read a row of the excel sheet, and extract from it the cell contents. // Objeto que nos permite leer un fila de la hoja excel, y de aquí extraer el contenido de las celdas. HSSFRow hssfRow = hssfSheet.getRow(hssfSheet.getTopRow()); String [] datos = new String[hssfRow.getLastCellNum()]; // For this example we'll loop through the rows getting the data we want // Para este ejemplo vamos a recorrer las filas obteniendo los datos que queremos for (Row row: hssfSheet) { for (Cell cell : row) { /* We have those cell types (tenemos estos tipos de celda): CELL_TYPE_BLANK, CELL_TYPE_NUMERIC, CELL_TYPE_BLANK, CELL_TYPE_FORMULA, CELL_TYPE_BOOLEAN, CELL_TYPE_ERROR */ datos[cell.getColumnIndex()] = (cell.getCellType() == Cell.CELL_TYPE_STRING)?cell.getStringCellValue(): (cell.getCellType() == Cell.CELL_TYPE_NUMERIC)?"" + cell.getNumericCellValue(): (cell.getCellType() == Cell.CELL_TYPE_BOOLEAN)?"" + cell.getBooleanCellValue(): (cell.getCellType() == Cell.CELL_TYPE_BLANK)?"BLANK": (cell.getCellType() == Cell.CELL_TYPE_FORMULA)?"FORMULA": (cell.getCellType() == Cell.CELL_TYPE_ERROR)?"ERROR":""; } arrayDatos.add(datos); datos = new String[hssfRow.getLastCellNum()]; } } catch (FileNotFoundException fileNotFoundException) { System.out.println("The file not exists (No se encontró el fichero): " + fileNotFoundException); } catch (IOException ex) { System.out.println("Error in file procesing (Error al procesar el fichero): " + ex); } finally { try { excelStream.close(); } catch (IOException ex) { System.out.println("Error in file processing after close it (Error al procesar el fichero después de cerrarlo): " + ex); } } return arrayDatos; }
Method main update that we use to check the result. :
/** * Main method for the tests for the methods of the class <strong>Java * read excel</strong> and <strong>Java create excel</strong> * with <a href="https://poi.apache.org/">Apache POI</a>. * <br /> * Método main para las pruebas para los método de la clase, * pruebas de <strong>Java leer excel</strong> y <strong>Java crear excel</strong> * con <a href="https://poi.apache.org/">Apache POI</a>. * @param args */ public static void main(String[] args){ JavaPoiUtils javaPoiUtils = new JavaPoiUtils(); ArrayList<String[]> arrayDatosExcel = javaPoiUtils.readExcelFileToArray(new File("/home/xules/codigoxules/apachepoi/PaisesIdiomasMonedas.xls")); int r = 0; for (String[] next : arrayDatosExcel) { System.out.print("Array Row: " + r++ + " -> "); for (int c = 0; c < next.length; c++) { System.out.print("[Column " + c + ": " + next[c] + "] "); } System.out.println(); } }
This is the final result that will be showed in the screen.
Documentation Java read excel with Apache Poi
- Apache POI – the Java API for Microsoft Documents: APIs for manipulating various file formats based upon Microsoft’s OLE 2 Compound Document format using pure Java. Most MS Office files use OLE2CDF.
- POI-HSSF and POI-XSSF – Java API To Access Microsoft Excel Format Files
- Apache Poi Spreadsheet How To you can find several more examples to read and write Excel spreadsheets
- Quick guide: quick start guide where are explained with examples the basic actions to manage the Excel files with Apache Poi Java API
I hope it has been useful for youXules
En la parte de System.out.print(«[Column » + c + «: » + next + «] «); te falto agregar el indice del arreglo next para que muestre el valor y no el objeto
System.out.print(«[Column » + c + «: » + next[i] + «] «);
Gracias por el aporte Eduardo.
Sin embargo para el ejemplo quedaría
System.out.print(“[Column ” + c + “: ” + next[c] + “] “);
una consulta sera posible generar graficos desde java en excel defrente exportar ya los datos con el grafico defrente
Hola Wiliam.
Si es posible con algunas limitaciones:
https://poi.apache.org/spreadsheet/limitations.html
En este link : XSSF-only Examples – LineChart tienes un ejemplo de código para la creación de un gráfico lineal.
Un saludo.
Espero que te sirva de ayuda.
hola amigo una consulta utilize el codigo del ejemplo pero en mi aarchivo exel hay una columna con campo tipo fecha y me sale numeros si me puedea ayudar que cambio tocaria hacer al ejemplo en ese caso. garcias..
Hola Fernando, yo hice un arreglo en el excel, el formato de la celda como General y le antepuse el simbolo de ‘ a cada fecha. con eso captura como String, lo otro es que la celda lo formatees como texto, o con use la funcion texto() para que se capture como String.
Gracias por el aporte, me sirvió mucho. Ahora estoy jugando para poder guardarlo en una BD Oracle. Saludos
Hola Julio, cuando deseo ejecutar me sale el error
Could not find or load main class org.apache.poi.hssf.usermodel.examples.ZoomSheet
Al verificar en las librerías, verifico que la clase se encuentra.
Alguna sugerencia? Estoy utilizando Eclipse.
Buenas, al tratar de ejecutar el programa me da este error
java.lang.NoClassDefFoundError: org/apache/commons/math3/util/ArithmeticUtils
Alguno sabe a que se debe?
Muchas gracias
Hola Kendal.
Una de las librerías que utiliza Apache POI es commons-math3-3.6.1.jar, correspondiente a Apache Commons Math 3.6.1 por la tanto es una de las librerías que tienes que incluir en tu proyecto.
Lo que sucede es que Apache POI necesitas esa clase y no la encuentra.
Un saludo.
Espero que te sirva de ayuda gracias por comentar.