我目前正在使用C#设置多个Excel文件的自定义属性。我使用Microsoft的导入库(称为DSOFile)来写入CustomProperties属性。我遇到的一个问题是,只要代码尝试写入已经写入自定义属性的excel文件(例如Company和Year),就会抛出COMException异常来指示文件的自定义属性已经有一个具有该名称的字段。确切消息:"该名称的项目已存在于集合"中。我希望能够删除集合中的该项目,以便我可以重写到该文件。例如,如果我不小心在文件中添加了错误的年份到年份属性,我希望能够清除该字段并为其写入新值。我无法在DSOFile类中找到删除元数据的方法。无论如何以编程方式"清除文件中的元数据而不通过文件属性窗口进行?
示例代码:
DSOFILE.OleDocumentProperties dso = new DSOFile.OleDocumentProperties();
dso.Open(@"c\temp\test.xls", false, DSOFile.dsoFileOpenOptions.dsoOptionDefault);
//add metadata
dso.CustomProperties.Add("Company", "Sony");
dso.Save();
dso.Close(false);
答案 0 :(得分:1)
如果要更改Office使用的默认属性,例如公司或作者,您只需通过SummaryProperties
对象更新它们:
OleDocumentProperties dso = new DSOFile.OleDocumentProperties();
dso.Open(@"c:\temp\test.xls", false, DSOFile.dsoFileOpenOptions.dsoOptionDefault);
//Update Company
dso.SummaryProperties.Company = "Hello World!";
dso.Save();
dso.Close(false);
请注意,您无法通过dso中的SummaryProperties
对象更改可通过CustomProperties
对象访问的文档的默认属性。 CustomProperties
适用于用户使用的其他属性,而不是Microsoft Office已经引入的属性。
要更改自定义属性,您必须知道CustomProperties
是一个可以通过foreach迭代的集合。所以你可以使用以下两种方法:
private static void DeleteProperty(CustomProperties properties, string propertyName)
{
foreach(CustomProperty property in properties)
{
if (string.Equals(property.Name, propertyName, StringComparison.InvariantCultureIgnoreCase))
{
property.Remove();
break;
}
}
}
private static void UpdateProperty(CustomProperties properties, string propertyName, string newValue)
{
bool propertyFound = false;
foreach (CustomProperty property in properties)
{
if (string.Equals(property.Name, propertyName, StringComparison.InvariantCultureIgnoreCase))
{
// Property found, change it
property.set_Value(newValue);
propertyFound = true;
break;
}
}
if(!propertyFound)
{
// The property with the given name was not found, so we have to add it
properties.Add(propertyName, newValue);
}
}
以下是有关如何使用UpdateProperty的示例:
static void Main(string[] args)
{
OleDocumentProperties dso = new DSOFile.OleDocumentProperties();
dso.Open(@"c:\temp\test.xls", false, DSOFile.dsoFileOpenOptions.dsoOptionDefault);
UpdateProperty(dso.CustomProperties, "Year", "2017");
dso.Save();
dso.Close(false);
}