8

在以前的版本中,我们可以这样做来删除一个实体而不知道它是否存在。

svc = new TestContext();
item = new TestEntity("item2pk", "item2rk");
svc.AttachTo("TestTable", item, "*");
svc.DeleteObject(item);
svc.SaveChanges();

(来源)

新的 TableOperations 没有这种语法。我必须使用这种旧方法还是有办法?我想保持一致,因为现在我的所有代码都使用版本 2 的新类。

编辑:标题具有误导性

4

2 回答 2

13

您需要使用TableOperation.Delete

var storageAccount = CloudStorageAccount.DevelopmentStorageAccount;
var table = storageAccount.CreateCloudTableClient()
                            .GetTableReference("tempTable");
table.CreateIfNotExists();

// Add item.
table.Execute(TableOperation.Insert(new TableEntity("MyItems", "123")));

// Load items.
var items = table.ExecuteQuery(new TableQuery<TableEntity>());
foreach (var item in items)
{
    Console.WriteLine(item.PartitionKey + " - " + item.RowKey);
}

// Delete item (the ETAG is required here!).
table.Execute(TableOperation.Delete(new TableEntity("MyItems", "123") { ETag = "*" }));

删除仅适用于存在的实体。即使旧客户端有ContinueOnError选项,但它与Batch操作不兼容(如此处所述)。

如果您不知道实体是否存在,那么获得成功批量删除的唯一方法是首先添加它们(或者如果它们已经存在则替换它们):

var ensureItemsBatch = new TableBatchOperation();
ensureItemsBatch.InsertOrReplace(new MyEntity("MyItems", "123") { Active = false });
ensureItemsBatch.InsertOrReplace(new MyEntity("MyItems", "456") { Active = false });
ensureItemsBatch.InsertOrReplace(new MyEntity("MyItems", "789") { Active = false });
table.ExecuteBatch(ensureItemsBatch);

var deleteItemsBatch = new TableBatchOperation();
deleteItemsBatch.Delete(new MyEntity("MyItems", "123") { ETag = "*" });
deleteItemsBatch.Delete(new MyEntity("MyItems", "456") { ETag = "*" });
deleteItemsBatch.Delete(new MyEntity("MyItems", "789") { ETag = "*" });
table.ExecuteBatch(deleteItemsBatch);
于 2012-11-06T20:03:37.060 回答
10

我使用自己的方法来捕获实体不存在时发生的 StorageException。此外,它返回实体是否被删除为布尔值。

public bool DeleteTableEntity(string partitionKey, string rowKey)
{
    try
    {
        _table.Execute(TableOperation.Delete(new TableEntity(partitionKey, rowKey) { ETag = "*" }));
        return true;
    }
    catch (StorageException e)
    {
        if (e.RequestInformation.HttpStatusCode == (int)HttpStatusCode.NotFound)
            return false;
        throw;
    }
}

_table 成员变量的类型为 CloudTable (Microsoft.WindowsAzure.Storage.Table.CloudTable)。对于此示例,我使用随 NuGet 一起安装的 Microsoft.WindowsAzure.Storage.dll v2.1.0.3 程序集。

于 2013-11-21T10:06:29.303 回答