EPPlus:将图像定位在单元格中

时间:2018-05-15 13:57:11

标签: c# excel .net-core openxml epplus

我正在尝试将图像"插入"使用Epplus的excel中的单元格。

使用以下代码

private static void SetImage(ExcelWorksheet sheet, ExcelRange cell)
{
    using (WebClient client = new WebClient())
    using (Stream stream = client.OpenRead("https://..."))
    using (Bitmap bitmap = new Bitmap(stream))
    {
        var picture = sheet.Drawings.AddPicture(Guid.NewGuid().ToString(), bitmap);
        picture.From.Column = cell.Start.Column - 1;
        picture.From.Row = cell.Start.Row - 1;

        picture.To.Column = cell.Start.Column;
        picture.To.Row = cell.Start.Row;
    }
}

-

var cell = sheet.Cells[2, 2];
SetImage(sheet, cell);

cell = sheet.Cells[3, 2];
SetImage(sheet, cell);

然而,它似乎总是与右边重叠。

enter image description here

如果我调整单元格的宽度和高度,重叠会发生变化,但永远不会消失

enter image description here

1 个答案:

答案 0 :(得分:5)

所以我放弃了

picture.To.Column = cell.Start.Column;
picture.To.Row = cell.Start.Row;

因为我无法让它工作并决定使用以下方法计算我自己的尺寸:

picture.SetSize(width, height);

诀窍是了解Excel如何实际计算宽度和高度。

细胞的高度:以磅为单位测量,但我们需要像素。一英寸有72个点。可以使用以下公式点*(1 / 72.0)* DPI将点转换为像素。 DPI是每英寸点数,可以使用以下方法找到:

using (Graphics graphics = Graphics.FromHwnd(IntPtr.Zero))
{
    float dpiY = graphics.DpiY;
}

所以以我用过的像素计算单元格的高度

private static int GetHeightInPixels(ExcelRange cell)
{
    using (Graphics graphics = Graphics.FromHwnd(IntPtr.Zero))
    {
        float dpiY = graphics.DpiY;
        return (int)(cell.Worksheet.Row(cell.Start.Row).Height * (1 / 72.0) * dpiY);
    }
}

单元格的宽度:这有点棘手。基本上,excel中单元格的宽度等于单元格可以水平包含的字符数(使用默认字体格式化)。

例如

enter image description here

此列的长度为12,可以包含Calibri(11)字体中的12个数字。

这也是我的excel默认值,因为我的身体默认是calibri(11) enter image description here

这是article更深入地解释它。

接下来的问题是人们究竟如何将其转化为像素。

首先,我们需要发现默认字体中字符的长度。可以在System.Windows.Forms命名空间中使用TextRenderer.MeasureText。但是,我使用.Net Core,需要另一种方式。另一种方法是使用现在处于预览状态的System.Drawing.Common核心库。

public static float MeasureString(string s, Font font)
{
    using (var g = Graphics.FromHwnd(IntPtr.Zero))
    {
        g.TextRenderingHint = System.Drawing.Text.TextRenderingHint.AntiAlias;

        return g.MeasureString(s, font, int.MaxValue, StringFormat.GenericTypographic).Width;
    }
}

然后我使用该方法以像素计算宽度,如下所示

private static int GetWidthInPixels(ExcelRange cell)
{
    double columnWidth = cell.Worksheet.Column(cell.Start.Column).Width;
    Font font = new Font(cell.Style.Font.Name, cell.Style.Font.Size, FontStyle.Regular);

    double pxBaseline = Math.Round(MeasureString("1234567890", font) / 10);

    return (int)(columnWidth * pxBaseline);
}

编辑:请注意,在显示设置下将缩放系数设置为100%以上时仍会出现重叠