我有一个简单的Revit插件,可以按类别对多个元素进行计数,并在任务对话框中显示总数。该代码仅适用于一个类别。当我添加多于1行以对多个类别进行计数时,第一行返回的结果为0,如下图所示。我可以单独运行以下3个类别中的任何一个,然后返回正确的结果。任何想法为什么多行将不显示结果?感谢您的帮助!
using System;
using System.Collections.Generic;
using Autodesk.Revit.DB;
using Autodesk.Revit.UI;
using Autodesk.Revit.Attributes;
namespace MyRevitCommands
{
[TransactionAttribute(TransactionMode.ReadOnly)]
public class SomeData : IExternalCommand
{
public Result Execute(ExternalCommandData commandData, ref string message, ElementSet elements)
{
//Get UIDocument
UIDocument uidoc = commandData.Application.ActiveUIDocument;
Document doc = uidoc.Document;
//Create Filtered Element Collector
FilteredElementCollector collector = new FilteredElementCollector(doc);
//Create Filter
ElementCategoryFilter lineFilter = new ElementCategoryFilter(BuiltInCategory.OST_Lines);
ElementCategoryFilter tagFilter = new ElementCategoryFilter(BuiltInCategory.OST_Tags);
ElementCategoryFilter wallFilter = new ElementCategoryFilter(BuiltInCategory.OST_Walls);
//Apply Filter
IList<Element> lines = collector.WherePasses(lineFilter).WhereElementIsNotElementType().ToElements();
int lineCount = lines.Count;
IList<Element> tags = collector.WherePasses(tagFilter).WhereElementIsNotElementType().ToElements();
int tagCount = tags.Count;
IList<Element> walls = collector.WherePasses(wallFilter).WhereElementIsNotElementType().ToElements();
int wallCount = walls.Count;
**TaskDialog.Show("Model Data", string.Format(
"Lines: " + lineCount
+ Environment.NewLine + "Tags: " + tagCount
+ Environment.NewLine + "Walls: " + wallCount
));**
return Result.Succeeded;
}
}
}
首先,您对string.Format
的调用绝对无效,因为您是使用+
运算符来组装结果字符串。
第二,您汇编的字符串绝对显示您获得的正确结果。
tagCount
和wallCount
的值实际上始终为零。
原因是您多次重复使用同一过滤后的元素收集器,而没有重新初始化它。
您添加到收集器的每个过滤器都会添加到所有以前的过滤器中。
因此,首先得到的是行数。
第二,也是标签元素的所有线元素的计数,即零。
第三,也是标签元素和墙壁的所有线元素的计数,即零。
这是The Building Coder最近对Reinitialise the Filtered Element Collector的必要性的解释。