Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How do I get an entire column in used range?

Tags:

c#

excel

interop

I am trying to get a column, but limiting it to used range...

public static Excel.Application App = new Excel.Application();
public static Excel.Workbook WB;

WB = App.Workbooks.Open("xxx.xls", ReadOnly: true);

var sheet = (WB.Sheets[1] as Excel.Worksheet);

// returns 65536 rows, I want only 82 (used range)
sheet.get_Range("F:F");

sheet.UsedRange.get_Range("F:F").Rows.Count; // 65536

How can I get it?

like image 474
BrunoLM Avatar asked Mar 23 '11 20:03

BrunoLM


3 Answers

You can use

sheet.UsedRange.Columns[6, Type.Missing].Rows.Count

or this

sheet.UsedRange.Columns["F:F", Type.Missing].Rows.Count
like image 73
Lance Roberts Avatar answered Oct 17 '22 19:10

Lance Roberts


Sounds like you want the Application.Intersect of the UsedRange and Column("F:F")

like image 4
Charles Williams Avatar answered Oct 17 '22 17:10

Charles Williams


this is the optimized way to read an Excel file column by column (or row by row) :

static void ReadExcelFile(filename) {
   Excel.Application xlApp = new Excel.Application();
   Excel.Workbook xlWorkBook = xlApp.Workbooks.Open(filename, 0, true, 5, "", "", true, Microsoft.Office.Interop.Excel.XlPlatform.xlWindows, "\t", false, false, 0, true, 1, 0);
   Excel.Worksheet xlWorkSheet = (Excel.Worksheet)xlWorkBook.Worksheets.get_Item(1); // 1st sheet
   // the entire table :
   Excel.Range range = xlWorkSheet.UsedRange; // range.Rows.Count, range.Columns.Count

   for (int col = 1; col <= range.Columns.Count; col++) {
        // this line does only one COM interop call for the whole column
        object[,] currentColumn = (object[,])range.Columns[col, Type.Missing].Value; 
        double sum = 0;
        for (int i = 1; i < currentColumn.Length; i++) {
             object val = currentColumn[i, 1];
             sum += (double)val; // only if you know that the values are numbers 
             // if it was a string column :
             //Console.WriteLine("{0}",(string)val);
        }
    }
}
like image 3
reuns Avatar answered Oct 17 '22 19:10

reuns