Accessing the AutoCAD objects referred to by fields using .NET

20 篇文章 0 订阅


Thanks to Wolfgang Ruthensteiner for suggesting this excellent topic a comment to this previous post. Here's Wonfgang's question:

How do I read back the field code with C# (from an attribute e.g.)?

I am linking room-label blocks with polylines, using fields inside an attribute to display the polyline's area property.

Later I want to find out programatically, which polyline a certain block is linked to by evaluating the field in the attribute (extracting the objectId).

This was actually quite tricky, and one I needed the help of our old friend, ArxDbg, to solve (see here for some information on this very useful ObjectARX sample). I should say up-front that there may well be a simpler way to access the information - the below technique is to some degree relying on the database structure (which might be considered an implementation detail). I may be missing a higher-level API providing a simpler way to access the information, but there you have it.

The full text of the field expression is stored in an AcDbField object (which is accesible through the Autodesk.AutoCAD.DatabaseServices.Field) which exists inside a field dictionary in the text object's (or attribute's) extension dictionary. So here's what needs to happen:

  • Select the MText object (I chose to use MText in the below code, as it was a bit more work to allow attribute selection within a block - left as an exercise for the reader :-)
  • Open the MText object's extension dictionary
  • Open the nested field dictionary
  • Access the field object stored therein

At this stage you have your text string with all the uninterpreted field codes. For those of you that are interested, I remember an important decision at the time we implemented fields in AutoCAD: that we should maintain the existing protocol and not return uninterpreted field codes from the standard text access properties/methods. This was largely to avoid migration issues for applications that depended on the data to be returned in its evaluated form. But it clearly means a bit more work if you want to get at the underlying codes.

So once we have our codes, we then want to get back to the "referred" object(s). I implemented a simple function that parses a string for the following sub-string:

%</_ObjId XXX>%

... where XXX is a string representing the ObjectId. The code then uses a conversion function to get an integer from the string, and create an ObjectId from the integer. We return the ID to the calling function, where we can then open it and find out more about it.

So that's the description - here's the C# code implementing it:

using Autodesk.AutoCAD.ApplicationServices;

using Autodesk.AutoCAD.DatabaseServices;

using Autodesk.AutoCAD.EditorInput;

using Autodesk.AutoCAD.Runtime;

using System;


namespace FieldExtraction

{

  public class Commands

  {

    [CommandMethod("GFL")]

    static public void GetFieldLink()

    {

      Document doc =

        Application.DocumentManager.MdiActiveDocument;

      Database db = doc.Database;

      Editor ed = doc.Editor;


      // Ask the user to select an attribute or an mtext

      PromptEntityOptions opt =

        new PromptEntityOptions(

          "/nSelect an MText object containing field(s): "

        );

      opt.SetRejectMessage(

        "/nObject must be MText."

      );

      opt.AddAllowedClass(typeof(MText), false);

      PromptEntityResult res =

        ed.GetEntity(opt);


      if (res.Status == PromptStatus.OK)

      {

        Transaction tr =

          doc.TransactionManager.StartTransaction();

        using (tr)

        {

          // Check the entity is an MText object

          DBObject obj =

            tr.GetObject(

              res.ObjectId,

              OpenMode.ForRead

            );


          MText mt = obj as MText;

          if (mt != null)

          {

            if (!mt.HasFields)

            {

              ed.WriteMessage(

                "/nMText object does not contain fields."

              );

            }

            else

            {

              // Open the extension dictionary

              DBDictionary extDict =

                (DBDictionary)tr.GetObject(

                  mt.ExtensionDictionary,

                  OpenMode.ForRead

                );


              const string fldDictName = "ACAD_FIELD";

              const string fldEntryName = "TEXT";

              // Get the field dictionary

              if (extDict.Contains(fldDictName))

              {

                ObjectId fldDictId =

                  extDict.GetAt(fldDictName);

                if (fldDictId != ObjectId.Null)

                {

                  DBDictionary fldDict =

                    (DBDictionary)tr.GetObject(

                      fldDictId,

                      OpenMode.ForRead

                    );


                  // Get the field itself

                  if (fldDict.Contains(fldEntryName))

                  {

                    ObjectId fldId =

                      fldDict.GetAt(fldEntryName);

                    if (fldId != ObjectId.Null)

                    {

                      obj =

                        tr.GetObject(

                          fldId,

                          OpenMode.ForRead

                        );

                      Field fld = obj as Field;

                      if (fld != null)

                      {

                        // And finally get the string

                        // including the field codes

                        string fldCode = fld.GetFieldCode();

                        ed.WriteMessage(

                          "/nField code: "

                          + fldCode

                        );


                        // Loop, using our helper function

                        // to find the object references

                        do

                        {

                          ObjectId objId;

                          fldCode =

                            FindObjectId(

                              fldCode,

                              out objId

                            );

                          if (fldCode != "")

                          {

                            // Print the ObjectId

                            ed.WriteMessage(

                              "/nFound Object ID: "

                              + objId.ToString()

                            );

                            obj =

                              tr.GetObject(

                                objId,

                                OpenMode.ForRead

                              );

                            // ... and the type of the object

                            ed.WriteMessage(

                              ", which is an object of type "

                              + obj.GetType().ToString()

                            );

                          }

                        } while (fldCode != "");                         

                      }

                    }

                  }

                }

              }

            }

          }

        }

      }

    }


    // Extract an ObjectId from a field string

    // and return the remainder of the string

    //

    static public string FindObjectId(

      string text,

      out ObjectId objId

    )

    {

      const string prefix = "%<//_ObjId ";

      const string suffix = ">%";


      // Find the location of the prefix string

      int preLoc = text.IndexOf(prefix);

      if (preLoc > 0)

      {

        // Find the location of the ID itself

        int idLoc = preLoc + prefix.Length;


        // Get the remaining string

        string remains = text.Substring(idLoc);


        // Find the location of the suffix

        int sufLoc = remains.IndexOf(suffix);


        // Extract the ID string and get the ObjectId

        string id = remains.Remove(sufLoc);

        objId = new ObjectId(Convert.ToInt32(id));


        // Return the remainder, to allow extraction

        // of any remaining IDs

        return remains.Substring(sufLoc + suffix.Length);

      }

      else

      {

        objId = ObjectId.Null;

        return "";

      }

    }

  }

}

Here's what happens when we run the code. Firstly I went and created a simple, closed polyline and a circle. I then created a single MText object with field codes accessing the other two objects' areas:

Fields_4

I then run the GFL command and select the MText object:

Command: GFL

Select an MText object containing field(s):

Field code: Area of the circle: /AcObjProp Object(%</_ObjId

2130239616>%).Area/P/PArea of the polyline: /AcObjProp Object(%</_ObjId

2130239624>%).Area

Found Object ID: (2130239616), which is an object of type

Autodesk.AutoCAD.DatabaseServices.Circle

Found Object ID: (2130239624), which is an object of type

Autodesk.AutoCAD.DatabaseServices.Polyline

As you can see, we've been able to find and extract information from the objects referred to by fields in an MText object.

July 13, 2007 in AutoCAD, AutoCAD .NET | Permalink

TrackBack

TrackBack URL for this entry:
http://www.typepad.com/t/trackback/876965/20017930

Listed below are links to weblogs that reference Accessing the AutoCAD objects referred to by fields using .NET:

 
  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值