我想确定如何限制从本地数据库检索 blob 并通过块将其传输到第三方 Web 服务的作业内的内存使用量。
使用 SqlDataReader,我似乎有两个选择:
创建一个方法,该方法使用带有偏移量的 GetBytes 来检索返回 byte[] 的 blob 的一部分。然后,该方法的调用者将负责发出 Web 请求来传输该块。
创建一个使用 GetStream 的方法,并向 ReadAsync 发出多个请求以填充 byte[] 缓冲区,并使用此缓冲区发出 Web 请求,直到传输文档。
我更喜欢选项 1,因为它限制了该方法的责任,但是如果我使用偏移量调用 GetBytes,它会将整个偏移量加载到内存中还是 sql server 能够仅返回请求的小块?如果我使用选项 2,那么该方法将有两个职责:从数据库加载一个块并发出 Web 请求以将文档存储在其他地方。
// option 1
public async Task<Tuple<int, byte[]>> GetDocumentChunk(int documentId, int offset, int maxChunkSize)
{
var buffer = new byte[maxChunkSize];
string sql = "SELECT Data FROM Document WHERE Id = @Id";
using (SqlConnection connection = new SqlConnection(ConnectionString))
{
await connection.OpenAsync();
using (SqlCommand command = new SqlCommand(sql, connection))
{
command.Parameters.AddWithValue("@Id", documentId);
using (SqlDataReader reader = await command.ExecuteReaderAsync(CommandBehavior.SequentialAccess))
{
if (await reader.ReadAsync())
{
int bytesRead = (int)reader.GetBytes(0, offset, buffer, 0, maxChunkSize);
return new Tuple<int, byte[]>(bytesRead, buffer);
}
}
}
}
return new Tuple<int, byte[]>(0, buffer);
}
//option 2
public async Task<CallResult> TransferDocument(int documentId, int maxChunkSize)
{
var buffer = new byte[maxChunkSize];
string sql = "SELECT Data FROM Document WHERE Id = @Id";
using (SqlConnection connection = new SqlConnection(ConnectionString))
{
await connection.OpenAsync();
using (SqlCommand command = new SqlCommand(sql, connection))
{
command.Parameters.AddWithValue("@Id", documentId);
using (SqlDataReader reader = await command.ExecuteReaderAsync(CommandBehavior.SequentialAccess))
{
using (Stream uploadDataStream = reader.GetStream(0))
{
}
}
}
}
交互式爱情
相关分类