2

我有一个控制台应用程序,它在 azure SQL 上触发一些 SQL 查询,数据将传输到 excel 文件中。这在我的本地计算机上运行良好。问题但我希望将此 .exe 托管在 azure 服务上作为调度程序。那个时候我意识到,如何将我生成的文件保存在 azure 上。

public static bool CreateExcelDocument(DataSet ds, string excelFilename)
        {
            try
            {
                using (SpreadsheetDocument document = SpreadsheetDocument.Create(excelFilename, SpreadsheetDocumentType.Workbook))
                {
                    WriteExcelFile(ds, document);
                }
                Trace.WriteLine("Successfully created: " + excelFilename);
                return true;
            }
            catch (Exception ex)
            {
                Trace.WriteLine("Failed, exception thrown: " + ex.Message);
                return false;
            }
        }

在上面的代码中,我需要传递“excelFilename”什么?

4

1 回答 1

3

在上面的代码中,我需要传递“excelFilename”什么?

在 Azure 中,我建议将 excel 文件保存到 Azure Blob Storage。根据您的代码,您可以创建一个托管在内存流中的新 excel。将数据写入此excel文件后,我们可以将内存流上传到Blob Storage。下面的代码供您参考。

public static bool CreateExcelDocument(DataSet ds, string fileName)
{
    try
    {
        MemoryStream ms = new MemoryStream();
        using (SpreadsheetDocument document = SpreadsheetDocument.Create(ms, SpreadsheetDocumentType.Workbook))
        {
            WriteExcelFile(ds, document);
        }
        //You need to create a storage account and put your azure storage connection string in following place
        CloudStorageAccount storageAccount = CloudStorageAccount.Parse("put your azure storage connection string here");         
        CloudBlobClient blobClient = storageAccount.CreateCloudBlobClient();
        CloudBlobContainer container = blobClient.GetContainerReference("excelfilecontainer");
        container.CreateIfNotExists();
        CloudBlockBlob blockBlob = container.GetBlockBlobReference(fileName);
        ms.Position = 0;
        blockBlob.UploadFromStream(ms);
        return true;
    }
    catch (Exception ex)
    {
        return false;
    }
}

要使用upper 方法,只需将文件名放在第二个参数中即可。

CreateExcelDocument(ds, "abc.xlsx");

之后,将在 Blob 存储的 excelfilecontainer 中创建一个名为 abc.xlsx 的文件。您可以从 Azure 存储资源管理器或 Azure 存储客户端库查看或下载它。

在此处输入图像描述

如果 excel 工作表或数据集有多个。那么如何添加新工作表?

我们还可以将 blob 数据读取到内存流中。然后我们可以打开一个基于此流的电子表格文档。添加新工作表后。我们需要将此流保存回 Blob 存储。这是示例代码。

CloudStorageAccount storageAccount = CloudStorageAccount.Parse("storage connection string");
// Create the blob client.
CloudBlobClient blobClient = storageAccount.CreateCloudBlobClient();
// Retrieve reference to a previously created container.
CloudBlobContainer container = blobClient.GetContainerReference("excelfilecontainer");
// Retrieve reference to a blob named "myblob.txt"
CloudBlockBlob blockBlob = container.GetBlockBlobReference("abc.xlsx");

using (var memoryStream = new MemoryStream())
{
    blockBlob.DownloadToStream(memoryStream);
    memoryStream.Position = 0;
    using (SpreadsheetDocument doc = SpreadsheetDocument.Open(memoryStream, false))
    {

    }
}
于 2017-05-22T02:22:26.030 回答