예제 #1
0
        /// <summary>
        /// Adds numeric cell identifiers so that it is easier to work out position of cells
        /// Private method, for internal use only!
        /// </summary>
        private void AddNumericCellIDs()
        {
            // process each row
            foreach (var rowNode in WorksheetXml.XPathSelectElements("//d:sheetData/d:row", NameSpaceManager))
            {
                // remove the spans attribute.  Excel simply recreates it when the file is opened.
                XAttribute attr = (XAttribute)rowNode.Attribute("spans");
                if (attr != null)
                {
                    attr.Remove();
                }

                int row = Convert.ToInt32(rowNode.AttributeValue("r"));
                // process each cell in current row
                foreach (var colNode in rowNode.XPathSelectElements("./d:c", NameSpaceManager))
                {
                    XAttribute cellAddressAttr = (XAttribute)colNode.Attribute("r");
                    if (cellAddressAttr != null)
                    {
                        string cellAddress = cellAddressAttr.Value;

                        int col = ExcelCell.GetColumnNumber(cellAddress);
                        attr = new XAttribute(tempColumnNumberTag, "");
                        if (attr != null)
                        {
                            attr.Value = col.ToString();
                            colNode.Add(attr);
                            // remove all cell Addresses like A1, A2, A3 etc.
                            cellAddressAttr.Remove();
                        }
                    }
                }
            }
        }
예제 #2
0
        /// <summary>
        /// Create empty rows and cols to improve performance.
        /// </summary>
        /// <param name="rowCount"></param>
        /// <param name="colCount"></param>
        internal void CreateEmptyCells(int rowCount, int colCount)
        {
            if (Rows.Count != 0)
            {
                throw new InvalidOperationException("Must be called before rows are filled");
            }

            var sheetDataNode = WorksheetXml.XPathSelectElement("//d:sheetData", NameSpaceManager);

            for (int rowNum = 1; rowNum <= rowCount; rowNum++)
            {
                // Add element
                var rowElement = ExtensonMethods.NewElement("row");
                rowElement.SetAttribute("r", rowNum.ToString());
                sheetDataNode.Add(rowElement);

                ExcelRow row = new ExcelRow(this, rowElement);
                Rows.Add(rowNum, row);

                for (int colNum = 1; colNum <= colCount; colNum++)
                {
                    var cellElement = ExtensonMethods.NewElement("c");
                    cellElement.SetAttribute(ExcelWorksheet.tempColumnNumberTag, colNum.ToString());
                    rowElement.Add(cellElement);

                    ExcelCell cell = new ExcelCell(this, cellElement, rowNum, colNum);
                    row.Cells.Add(colNum, cell);
                }
            }
        }
예제 #3
0
        /// <summary>
        /// Updates the Excel formula so that all the cellAddresses are incremented by the row and column increments
        /// if they fall after the afterRow and afterColumn.
        /// Supports inserting rows and columns into existing templates.
        /// </summary>
        /// <param name="Formula">The Excel formula</param>
        /// <param name="rowIncrement">The amount to increment the cell reference by</param>
        /// <param name="colIncrement">The amount to increment the cell reference by</param>
        /// <param name="afterRow">Only change rows after this row</param>
        /// <param name="afterColumn">Only change columns after this column</param>
        /// <returns></returns>
        public static string UpdateFormulaReferences(string Formula, int rowIncrement, int colIncrement, int afterRow, int afterColumn)
        {
            string newFormula = "";

            Regex getAlphaNumeric = new Regex(@"[^a-zA-Z0-9]", RegexOptions.IgnoreCase);
            Regex getSigns        = new Regex(@"[a-zA-Z0-9]", RegexOptions.IgnoreCase);

            string alphaNumeric = getAlphaNumeric.Replace(Formula, " ").Replace("  ", " ");
            string signs        = getSigns.Replace(Formula, " ");

            char[] chrSigns = signs.ToCharArray();
            int    count    = 0;
            int    length   = 0;

            foreach (string cellAddress in alphaNumeric.Split(' '))
            {
                count++;
                length += cellAddress.Length;

                // if the cellAddress contains an alpha part followed by a number part, then it is a valid cellAddress
                int    row            = GetRowNumber(cellAddress);
                int    col            = GetColumnNumber(cellAddress);
                string newCellAddress = "";
                if (ExcelCell.GetCellAddress(row, col) == cellAddress)                   // this checks if the cellAddress is valid
                {
                    // we have a valid cell address so change its value (if necessary)
                    if (row >= afterRow)
                    {
                        row += rowIncrement;
                    }
                    if (col >= afterColumn)
                    {
                        col += colIncrement;
                    }
                    newCellAddress = GetCellAddress(row, col);
                }
                if (newCellAddress == "")
                {
                    newFormula += cellAddress;
                }
                else
                {
                    newFormula += newCellAddress;
                }

                for (int i = length; i < signs.Length; i++)
                {
                    if (chrSigns[i] == ' ')
                    {
                        break;
                    }
                    if (chrSigns[i] != ' ')
                    {
                        length++;
                        newFormula += chrSigns[i].ToString();
                    }
                }
            }
            return(newFormula);
        }
예제 #4
0
        /// <summary>
        /// Returns the row number from the cellAddress
        /// e.g. D5 would return 5
        /// </summary>
        /// <param name="cellAddress">An Excel format cell addresss (e.g. D5)</param>
        /// <returns>The row number</returns>
        public static int GetRowNumber(string cellAddress)
        {
            // find out position where characters stop and numbers begin
            int  iPos  = 0;
            bool found = false;

            foreach (char chr in cellAddress.ToCharArray())
            {
                iPos++;
                if (char.IsNumber(chr))
                {
                    found = true;
                    break;
                }
            }
            if (found)
            {
                string NumberPart = cellAddress.Substring(iPos - 1, cellAddress.Length - (iPos - 1));
                if (ExcelCell.IsNumericValue(NumberPart))
                {
                    return(int.Parse(NumberPart));
                }
            }
            return(0);
        }
예제 #5
0
        /// <summary>
        /// Replaces the numeric cell identifiers we inserted with AddNumericCellIDs with the traditional
        /// A1, A2 cell identifiers that Excel understands.
        /// Private method, for internal use only!
        /// </summary>
        private void ReplaceNumericCellIDs()
        {
            int maxColumn = 0;

            // process each row
            foreach (var rowNode in WorksheetXml.XPathSelectElements("//d:sheetData/d:row", NameSpaceManager))
            {
                int row   = Convert.ToInt32(rowNode.AttributeValue("r"));
                int count = 0;
                // process each cell in current row
                foreach (var colNode in rowNode.XPathSelectElements("./d:c", NameSpaceManager))
                {
                    XAttribute colNumber = (XAttribute)colNode.Attribute(tempColumnNumberTag);
                    if (colNumber != null)
                    {
                        count++;
                        if (count > maxColumn)
                        {
                            maxColumn = count;
                        }
                        int        col         = Convert.ToInt32(colNumber.Value);
                        string     cellAddress = ExcelCell.GetColumnLetter(col) + row.ToString();
                        XAttribute attr        = new XAttribute("r", "");
                        if (attr != null)
                        {
                            attr.Value = cellAddress;
                            // the cellAddress needs to be the first attribute, otherwise Excel complains
                            if (!colNode.Attributes().Any())
                            {
                                colNode.Add(attr);
                            }
                            else
                            {
                                //var firstAttr =colNode.Attributes().First();
                                colNode.AddFirst(attr);
                            }
                        }
                        // remove all numeric cell addresses added by AddNumericCellIDs
                        colNumber.Remove();
                    }
                }
            }

            // process each row and add the spans attribute
            // TODO: Need to add proper spans handling.
            //foreach (var rowNode in XmlDoc.SelectNodes("//d:sheetData/d:row", NameSpaceManager))
            //{
            //  // we must add or update the "spans" attribute of each row
            //  XAttribute spans = (XAttribute)rowNode.Attributes.GetNamedItem("spans");
            //  if (spans == null)
            //  {
            //    spans = XmlDoc.CreateAttribute("spans");
            //    rowNode.Add(spans);
            //  }
            //  spans.Value = "1:" + maxColumn.ToString();
            //}
        }
예제 #6
0
        /// <summary>
        /// Inserts conditional formatting for the cell range.
        /// Currently only supports the dataBar style.
        /// </summary>
        /// <param name="startCell"></param>
        /// <param name="endCell"></param>
        /// <param name="color"></param>
        public void CreateConditionalFormatting(ExcelCell startCell, ExcelCell endCell, string color)
        {
            var formatNode = WorksheetXml.XPathSelectElement("//d:conditionalFormatting", NameSpaceManager);

            if (formatNode == null)
            {
                formatNode = ExtensonMethods.NewElement("conditionalFormatting");
                var prevNode = WorksheetXml.XPathSelectElement("//d:mergeCells", NameSpaceManager);
                if (prevNode == null)
                {
                    prevNode = WorksheetXml.XPathSelectElement("//d:sheetData", NameSpaceManager);
                }
                prevNode.AddAfterSelf(formatNode);
            }
            XAttribute attr = formatNode.Attribute("sqref");

            if (attr == null)
            {
                attr = new XAttribute("sqref", "");
                formatNode.Add(attr);
            }
            attr.Value = string.Format("{0}:{1}", startCell.CellAddress, endCell.CellAddress);

            var node = formatNode.XPathSelectElement("./d:cfRule", NameSpaceManager);

            if (node == null)
            {
                node = ExtensonMethods.NewElement("cfRule");
                formatNode.Add(node);
            }

            attr = node.Attribute("type");
            if (attr == null)
            {
                attr = new XAttribute("type", "");
                node.Add(attr);
            }
            attr.Value = "dataBar";

            attr = node.Attribute("priority");
            if (attr == null)
            {
                attr = new XAttribute("priority", "");
                node.Add(attr);
            }
            attr.Value = "1";

            // the following is poor code, but just an example!!!
            var databar = ExtensonMethods.NewElement(
                "databar",
                ExtensonMethods.NewElement("cfvo").SetAttrValue("type", "min").SetAttrValue("val", "0"),
                ExtensonMethods.NewElement("cfvo").SetAttrValue("type", "max").SetAttrValue("val", "0"),
                ExtensonMethods.NewElement("color").SetAttrValue("rgb", color)
                );

            node.Add(databar);
        }
예제 #7
0
        /// <summary>
        /// Inserts a new row into the spreadsheet.  Existing rows below the insersion position are
        /// shifted down.  All formula are updated to take account of the new row.
        /// </summary>
        /// <param name="position">The position of the new row</param>
        public void InsertRow(int position)
        {
            XElement rowNode = null;
            // create the new row element
            XElement rowElement = ExtensonMethods.NewElement("row").SetAttrValue("r", position.ToString());

            var sheetDataNode = WorksheetXml.XPathSelectElement("//d:sheetData", NameSpaceManager);

            if (sheetDataNode != null)
            {
                int      renumberFrom         = 1;
                var      nodes                = sheetDataNode.Nodes().Cast <XElement>().ToList();
                int      nodeCount            = nodes.Count;
                XElement insertAfterRowNode   = null;
                int      insertAfterRowNodeID = 0;
                for (int i = 0; i < nodeCount; i++)
                {
                    int currentRowID = int.Parse(nodes[i].Attribute("r").Value);
                    if (currentRowID < position)
                    {
                        insertAfterRowNode   = nodes[i];
                        insertAfterRowNodeID = i;
                    }
                    if (currentRowID >= position)
                    {
                        renumberFrom = currentRowID;
                        break;
                    }
                }

                // update the existing row ids
                for (int i = insertAfterRowNodeID + 1; i < nodeCount; i++)
                {
                    int currentRowID = int.Parse(nodes[i].Attribute("r").Value);
                    if (currentRowID >= renumberFrom)
                    {
                        nodes[i].Attribute("r").Value = Convert.ToString(currentRowID + 1);

                        // now update any formula that are in the row
                        var formulaNodes = nodes[i].XPathSelectElements("./d:c/d:f", NameSpaceManager);
                        foreach (var formulaNode in formulaNodes)
                        {
                            formulaNode.Value = ExcelCell.UpdateFormulaReferences(formulaNode.Value, 1, 0, position, 0);
                        }
                    }
                }

                // now insert the new row
                insertAfterRowNode?.AddAfterSelf(rowElement);
            }

            // Update stored rows
            ShiftRows(position, 1);
            Rows.Add(position, new ExcelRow(this, rowElement));
        }
예제 #8
0
        /// <summary>
        /// Deletes the specified row from the worksheet.
        /// If shiftOtherRowsUp=true then all formula are updated to take account of the deleted row.
        /// </summary>
        /// <param name="rowToDelete">The number of the row to be deleted</param>
        /// <param name="shiftOtherRowsUp">Set to true if you want the other rows renumbered so they all move up</param>
        public void DeleteRow(int rowToDelete, bool shiftOtherRowsUp)
        {
            var sheetDataNode = WorksheetXml.XPathSelectElement("//d:sheetData", NameSpaceManager);

            if (sheetDataNode != null)
            {
                var      nodes     = sheetDataNode.Nodes().Cast <XElement>().ToList();
                int      nodeCount = nodes.Count;
                int      rowNodeID = 0;
                XElement rowNode   = null;
                for (int i = 0; i < nodeCount; i++)
                {
                    int currentRowID = int.Parse(nodes[i].Attribute("r").Value);
                    if (currentRowID == rowToDelete)
                    {
                        rowNodeID = i;
                        rowNode   = nodes[i];
                    }
                }

                if (shiftOtherRowsUp)
                {
                    // update the existing row ids
                    for (int i = rowNodeID + 1; i < nodeCount; i++)
                    {
                        int currentRowID = int.Parse(nodes[i].Attribute("r").Value);
                        if (currentRowID > rowToDelete)
                        {
                            nodes[i].Attribute("r").Value = Convert.ToString(currentRowID - 1);

                            // now update any formula that are in the row
                            var formulaNodes = nodes[i].XPathSelectElements("./d:c/d:f", NameSpaceManager);
                            foreach (var formulaNode in formulaNodes)
                            {
                                formulaNode.Value = ExcelCell.UpdateFormulaReferences(formulaNode.Value, -1, 0, rowToDelete, 0);
                            }
                        }
                    }
                }
                // delete the row
                if (rowNode != null)
                {
                    rowNode.Remove();
                }
            }

            // Update stored rows
            Rows.Remove(rowToDelete);
            ShiftRows(rowToDelete, -1);
        }
예제 #9
0
        /// <summary>
        /// Provides access to an individual cell within the worksheet.
        /// </summary>
        /// <param name="rowNum">The row number in the worksheet</param>
        /// <param name="colNum">The column number in the worksheet</param>
        /// <returns></returns>
        public ExcelCell Cell(int rowNum, int colNum)
        {
            ExcelRow  row = Row(rowNum);
            ExcelCell cell;

            if (row.Cells.TryGetValue(colNum, out cell))
            {
                return(cell);
            }

            cell = new ExcelCell(this, rowNum, colNum);
            row.Cells.Add(colNum, cell);
            return(cell);
        }
예제 #10
0
        /// <summary>
        /// Get a range reference in Excel format
        /// e.g. GetRange("sheet", 1,5,10,2) => "sheet!$J$1:$K$5"
        /// </summary>
        /// <param name="worksheet"></param>
        /// <param name="startRow"></param>
        /// <param name="rowCount">Number of rows to include, >=1</param>
        /// <param name="startCol"></param>
        /// <param name="colCount">Number of columns to include, >=1</param>
        /// <returns></returns>
        public static String GetRangeRef(String worksheet,
                                         int startRow, int rowCount, int startCol, int colCount)
        {
            // Be tolerant
            if (rowCount <= 0)
            {
                rowCount = 1;
            }
            if (colCount <= 0)
            {
                colCount = 1;
            }

            return(worksheet + "!" +
                   "$" + ExcelCell.GetColumnLetter(startCol) + "$" + startRow + ":" +
                   "$" + ExcelCell.GetColumnLetter(startCol + colCount - 1) + "$" + (startRow + rowCount - 1));
        }
예제 #11
0
        /// <summary>
        /// Creates a shared formula based on the formula already in startCell
        /// Essentially this supports the formula attributes such as t="shared" ref="B2:B4" si="0"
        /// as per Brian Jones: Open XML Formats blog. See
        /// http://blogs.msdn.com/brian_jones/archive/2006/11/15/simple-spreadsheetml-file-part-2-of-3.aspx
        /// </summary>
        /// <param name="startCell">The cell containing the formula</param>
        /// <param name="endCell">The end cell (i.e. end of the range)</param>
        public void CreateSharedFormula(ExcelCell startCell, ExcelCell endCell)
        {
            XElement formulaElement;
            string   formula = startCell.Formula;

            if (formula == "")
            {
                throw new Exception("CreateSharedFormula Error: startCell does not contain a formula!");
            }

            // find or create a shared formula ID
            int sharedID = -1;

            foreach (var node in _worksheetXml.XPathSelectElements("//d:sheetData/d:row/d:c/d:f/@si", NameSpaceManager))
            {
                int curID = int.Parse(node.Value);
                if (curID > sharedID)
                {
                    sharedID = curID;
                }
            }
            sharedID++;              // first value must be zero

            for (int row = startCell.Row; row <= endCell.Row; row++)
            {
                for (int col = startCell.Column; col <= endCell.Column; col++)
                {
                    ExcelCell cell = Cell(row, col);

                    // to force Excel to re-calculate the formula, we must remove the value
                    cell.RemoveValue();

                    formulaElement = (XElement)cell.Element.XPathSelectElement("./d:f", NameSpaceManager);
                    if (formulaElement == null)
                    {
                        formulaElement = cell.AddFormulaElement();
                    }
                    formulaElement.SetAttribute("t", "shared");
                    formulaElement.SetAttribute("si", sharedID.ToString());
                }
            }

            // finally add the shared cell range to the startCell
            formulaElement = (XElement)startCell.Element.XPathSelectElement("./d:f", NameSpaceManager);
            formulaElement.SetAttribute("ref", string.Format("{0}:{1}", startCell.CellAddress, endCell.CellAddress));
        }
예제 #12
0
        Dictionary <int, ExcelRow> ReadData()
        {
            Dictionary <int, ExcelRow> rows = new Dictionary <int, ExcelRow>();

            foreach (var rowElement in WorksheetXml.XPathSelectElements("//d:sheetData/d:row", NameSpaceManager))
            {
                int      rowNum = Convert.ToInt32(rowElement.Attribute("r").Value);
                ExcelRow row    = new ExcelRow(this, rowElement);
                rows.Add(rowNum, row);

                // Get all cells for the row
                foreach (var cellElement in rowElement.XPathSelectElements("./d:c", NameSpaceManager))
                {
                    int       colNum = Convert.ToInt32(cellElement.AttributeValue(ExcelWorksheet.tempColumnNumberTag));
                    ExcelCell cell   = new ExcelCell(this, cellElement, rowNum, colNum);
                    row.Cells.Add(colNum, cell);
                }
            }
            return(rows);
        }