青青草原综合久久大伊人导航_色综合久久天天综合_日日噜噜夜夜狠狠久久丁香五月_热久久这里只有精品

C++ Programmer's Cookbook

{C++ 基礎} {C++ 高級} {C#界面,C++核心算法} {設計模式} {C#基礎}

Using DOTNETARX To Develop Your .NET ObjectARX Applications

Introduction

With the newest AutoCAD 2006, the .NET programmers can use the ObjectARX Managed Wrapper Classes to develop their AutoCAD programs. But there are many inconveniences and bugs in the wrapper classes. For example, you cannot do conditional filtering, and many global functions in C++ is not provided in the wrapper class. To solve the problems, I have developed a tool “DOTNETARX” to help the .NET programmers to write the ObjectARX programs more easily.

First, let’s look at the traditional ObjectARX programs written in C#. The following example adds an entity to the AutoCAD.

Entity ent……; 
Database db= Application.DocumentManager.MdiActiveDocument.Database; 
DBTransMan tm=db.TransactionManager; 
using(Transaction trans=tm.StartTransaction()) 
{
  BlockTable bt=(BlockTable)tm.GetObject(db.BlockTableId,OpenMode. ForRead,false); 
  BlockTableRecord btr=
    (BlockTableRecord)tm.GetObject(bt[BlockTableRecord.ModelSpace],
    OpenMode.ForWrite,false);
  btr.AppendEntity(ent); 
  tm.AddNewlyCreatedDBObject(ent,true);
  trans.Commit(); 
}

Oh, I have to write so many codes only to add an entity!! Even more, when I want change the property (such as color) of the entity after it is added into the AutoCAD, I must use the same codes to open the entity (using the transaction) and then change its property. Can it be done more easily? The answer is DOTNETARX. With this tool, you can write the above codes like this:

Entity ent……. 

Tools.AddEntity(ent);

Note: To use DOTNETARX, you must add the reference to “DOTNETARX.dll”, and import the DOTNETARX namespace in your source code:

using DOTNETARX;

Now, you only need two lines of codes to finish the same thing! Can’t believe it? It’s true, your work will become simple with DOTNETARX.

DOTNETARX is a .NET assembly with many useful classes. Let’s see the main classes in DOTNETARX.

The most important class in DOTNETARX is Tools. The members of this class are static. It has the following members:

  • Properties:
    • Database: gets the current AutoCAD database.
    • Editor: gets the editor associated with the current document.
    • TransactionManager: gets transaction manager of the current database.
  • Functions:

    With the three properties, you can replace the long codes such as Application.DocumentManager.MdiActiveDocument.Database with Tools.Database.

    • public static ObjectId AddEntity(Entity ent)

      Adds an entity to the current AutoCAD drawing. The following codes add a line to the database:

      Line line;
      
      …….
      
      Tools.AddEntity(line);
      
    • public static ObjectId AddSymbolTableRecord(SymbolTableRecord str,ObjectId symbolTableId)

      Adds symbol table records to the current database. The following codes add a new layer to the database:

      LayerTableRecord ltr;
      ……
      Tools.AddSymbolTableRecord(ltr,Tools.Database.LayerTableId);
      
    • public static ObjectId AddDictionaryObject(string searchKey)

      Adds the dictionary object to the current database.

    • public static ObjectId AddDictionaryObject(string searchKey,DBObject newValue,ObjectId ownerId)

      Adds dictionary objects such as XRecords and groups.

    • Functions used to set or get the general properties of an entity:

      The properties are: Color, ColorIndex, Layer, Linetype, LinetypeScale, LineWeight, PlotStyleName and Visible. The name of the function which sets the general properties of an entity starts with Put, and then followed by the property’s name. For example, PutColor is used to set the color of an entity. There are two forms of this kind of function.

      1. The first one is PutColor(Entity ent,Color color), the ent parameter is for the entity, and color is for the color value.
      2. The second one is PutColor(ObjectId id,Color color), the id parameter is for the object Id of the entity, and color is for the color value.

      The name of the function which gets the general properties of an entity starts with Get, and then followed by the property’s name. For example, GetColor is used to get the color of an entity. There are two forms of this kind of function.

      1. The first one is GetColor(Entity ent), the ent parameter is for the entity.
      2. The second one is GetColor(ObjectId id), the id parameter is for the object Id of the entity.
    • public static void Move(Entity ent,Point3d fromPoint,Point3d toPoint)

      Moves an entity object along a vector.

    • public static void Rotate(Entity ent,Point3d basePoint,double rotationAngle)

      Rotates an entity object around a base point.

    • public static void Scale(Entity ent,Point3d basePoint,double scaleFactor)

      Scales an entity object equally in the X, Y, and Z directions.

    • public static ObjectId Mirror(Entity ent,Point3d mirrorPoint1,Point3d mirrorPoint2,bool eraseSourceObject)

      Creates a mirror-image copy of a planar entity object around an axis.

    • public static ObjectId Copy(Entity ent)

      Duplicates the given entity object to the same location.

    • public static void Erase(Entity ent)

      Erases the given entity object.

    • public static Entity GetEntity(ObjectId id)

      Gets AutoCAD entity object by its object ID.

    • public static DBObject GetDBObject(ObjectId id)

      Gets AutoCAD DBObject by its object ID.

    • public static DBObjectCollection GetIteratorForSymbolTable(ObjectId id)

      Gets an iterator. It is used to iterate through a symbol table record.

    • public static ObjectIdCollection GetIteratorForSymbolTableID(ObjectId id)

      Gets an iterator. It is used to iterate through a symbol table record.

    • public static Point3d GetMidPoint(Point3d pt1,Point3d pt2)

      Gets the midpoint of two points.

The other classes in DOTNETARX are derived from the AutoCAD entity classes such as Circle and Line.

By the latest edition of DOTNETARX, I have derived from the following classes:

Line, Circle, Arc, Ellipse, Polyline, DBText, MText, Table, Hatch and the Dimensions. The names of the new classes are their ancestors’ name and with appended an ‘s’. For example, Lines is the derived class of Line. The first purpose of the derived classes is to create entities more easily. For example, you can only use center, radius and vector to create a circle with the original constructor of the Circle class. But with the help of DOTNETARX, you can use three or two points to create a circle. The following example explains how to create a circle through three points:

  Circles circle=new Circles(pt1,pt2,pt3);

For detailed explanation, you can refer to the help document in the accessory.

The second purpose of the derived classes is to access the entity which is added into the database. We take two examples to explain this. First is not using the derived classes:

Circle circle=new Circle (center,normal,radius); 
//Because the circle is not added into database, 
//changing the circle’s radius is allowed 
circle.Radius=1;
//Add the circle into the database 
Tools.AddEntity(circle);
circle. Radius =2;
//Error,because the circle is added into the database,
//you must open it first, then operate on it

Codes using the derived classes:

Circles circle =new Circles (center, radius);//even the constructor is more simple
      circle. Radius =1;// Because the circle is not added into database, 
                        // changing the circle’s radius is allowed

Tools.AddEntity(circle);// Add the circle into the database 
// Though the circle is added into the database, you can edit its property
circle. Radius =2;

----------------------------------------------------------------------------------------------------

Introduction

In this article, I will give you some samples to show you how to use DOTNETARX. DOTNETARX is a tool for developing ObjectARX programs with .NET languages more easily and it provides some functions to fix the bugs in the ObjectARX managed wrapper class. You can learn more about DOTNETARX from the article: Using DOTNETARX To Develop Your .NET ObjectARX Applications.

To run the example given in this article, you will have to create a new project and add the DOTNETARX 2.0 assembly, then in your source file add "using DOTNETARX;" to import the DOTNETARX namespace. For a detailed description of the functions given in this article, you can read the help document for DOTNETARX.

Conditional filtering

As you know, there is a bug in the managed ObjectARX wrapper class, you can not do conditional filtering with it. For example, you cannot select both circles and lines using the SelectionSet. But with DOTNETARX, you can do it! The following sample code adds circles with a radius of 1.0 and lines on the layer "ABC" to a SelectionSet.

void test() 
{
    TypedValue[] values = new TypedValue[]{
                        new TypedValue(-4,""),
                        new TypedValue(-4,""),
                        new TypedValue(-4,"or>")
    };
    //adds objects to a selection set
    //by prompting the user to select ones to add.
    int n=Tools.GetSelection(values).Count; 
    Tools.Editor.WriteMessage(n.ToString());
}

AddEntities

In DOTNETARX 1.0, calling Tools.AddEntity() multiple times in a row will be slower than doing everything in a single transaction (J. Daniel Smith on Autodesk discussion group mentioned this). So, I have added the AddEntities() function in 2.0 to solve this problem.

The following sample adds a line and a circle to the current AutoCAD drawing using AddEntities():

void AddLineCircle()
{
    Point3d pt1=new Point3d(0,0,0);
    Point3d pt2=new Point3d(50,50,0);
    Lines line=new Lines(pt1,pt2);
    Point3d center=new Point3d(50,0,0);
    Circles circle=new Circles(center,50);
    Tools.AddEntities(new Entity[]{line,center});
}

Group

The following sample shows you how to add a group into AutoCAD database:

void MakeGroup()
{
    PromptSelectionResult res=
         Tools.Editor.GetSelection();//Selects objects 
    SelectionSet ss=res.Value; //Gets a selection set 
    
    //Gets an array of object IDs
    //representing the selected objects
    ObjectId[] ids=ss.GetObjectIds();  
                                      
    //Creates a Group object named grouptest.
    Group gp=new Group("grouptest",true);
    // Appends the objects whose objectIds are in 
    //the ids array to the group.
    gp.Append(new ObjectIdCollection(ids));
                                           
    Tools.AddDictionaryObject("ASDK_GROUPTEST",gp,
                  Tools.Database.GroupDictionaryId);
    //Use the AddDictionaryObject() function to add the 
    //group object to AutoCAD database.
}

XRecord

The following sample shows you how to add an Xrecord into AutoCAD database:

void MakeXRecord()
{
    Xrecord rec=new Xrecord();//Creates a Xrecord object
    rec.Data=new ResultBuffer(
            new TypedValue((int)DxfCode.Text,
                                "This is a test"),
            new TypedValue((int)DxfCode.Int8,0),
            new TypedValue((int)DxfCode.UcsOrg,
                              new Point3d(0,0,0))
    );//Use the Data property of Xreord to 
      //set the contents of the Xrecord object.
    Tools.AddDictionaryObject("test",rec,
         Tools.Database.NamedObjectsDictionaryId);
    //Use the AddDictionaryObject() function to add the 
    //Xrcord object to AutoCAD database.
    
    //list the entries we just added
    foreach (TypedValue rb in rec.Data) 
    {
       Tools.Editor.WriteMessage(string.Format("TypedCode={0},
                          Value={1}\n",rb.TypeCode,rb.Value));
    }
}

XData

The following sample shows you how to add an XData into AutoCAD database:

void MakeXData()
{
    Lines line=new Lines(new Point3d(0,0,0),
                     new Point3d(100,100,0));
    //Creates a line using the Lines 
    //class in DOTNETARX
    RegAppTableRecord app=new RegAppTableRecord();
    //add some xdata on the line, first 
    //have to register an app
    app.Name="MyApp";
    Tools.AddSymbolTableRecord(app,
         Tools.Database.RegAppTableId);
    //Use the AddSymbolTableRecord function 
    //to add the app to the RegAppTable.

    line.XData = new ResultBuffer(new 
       TypedValue((int)DxfCode.ExtendedDataRegAppName,
                                             "MyApp"),
       new TypedValue((int)DxfCode.ExtendedDataAsciiString,
                              "This is some xdata string"));
    //Set the XData property of the line
    Tools.AddEntity(line);//Adds the line 
                          //to database

    // list the entries we just added
    foreach (TypedValue rb in line.XData)
    {
       Tools.Editor.WriteMessage(string.Format("TypedCode={0},
                          Value={1}\n",rb.TypeCode,rb.Value));
    }
}

Copy and Move

The following code uses Copy() to get a copy of the selected entity, and then uses Move() to move the copy to the upper right of the original object:

void test() 
{
    PromptEntityResult res = 
              Tools.Editor.GetEntity("please " + 
                   "select an entity to copy:\n");
    ObjectId id= Tools.Copy(res.ObjectId);
    Tools.Move(id,res.PickedPoint,
        res.PickedPoint.Add(new Vector3d(20,20,0)));
}

Mirror

The following example selects an entity and then mirrors it:

void test() 
{
    Editor ed=Tools.Editor;
    PromptEntityResult res =
        ed.GetEntity("please select an entity:\n");
    Point3d pt1=ed.GetPoint("Select the " + 
        "first point of the mirror axis:\n").Value;
    Point3d pt2=ed.GetPoint("Select the second " + 
               "point of the mirror axis:\n").Value;
    Tools.Mirror(res.ObjectId,pt1,pt2,false);
}

Offset

If you use the GetOffsetCurves() function of the managed ObjectARX wrapper class to offset a polyline with a negative number, you will find that AutoCAD makes a "bigger" one. But for other curves such as circles and ellipses, you will get "smaller" ones. I have fixed this bug in DOTNETARX 2.0.

The following example selects an entity and then offsets it:

void test() 
{
    Editor ed=Tools.Editor;
    PromptEntityResult res =
        ed.GetEntity("please select an entity:\n");
    Tools.Offset(res.ObjectId,20);
}

Rotate

The following example selects an entity and then rotates it by 45 degrees:

void test() 
{
   Editor ed=Tools.Editor;
   PromptEntityResult res = 
      ed.GetEntity("please select an entity:\n");
   Point3d pt1=ed.GetPoint("Select " + 
      "the base point of rotation:\n").Value;
   //Note: the angle is in degree
   Tools.Rotate(res.ObjectId,pt1,45);
}

Scale

The following example selects an entity and then scales it:

void test() 
{
   Editor ed=Tools.Editor;
   PromptEntityResult res =
      ed.GetEntity("please select an entity:\n");
   Point3d pt1=ed.GetPoint("Select " + 
      "the base point of scaling:\n").Value;
   Tools.Scale(res.ObjectId,pt1,2);
}

AddSymbolTableRecord

It is inconvenient to add symbol table records such as layer, text style, line type. With DOTNETARX, you can add them more easily.

The following example creates a layer named Test:

void CreateLayer() 
{
   LayerTableRecord ltr=new LayerTableRecord();
   ltr.Name="Test";
   Tools.AddSymbolTableRecord(ltr,Tools.Database.LayerTableId);
}

GetIteratorForSymbolTable

The following sample uses GetIteratorForSymbolTable() to get an iterator to step through the layer table and print the name of the layers:

void test() 
{
   DBObjectCollection objs = 
      Tools.GetIteratorForSymbolTable(
                    Tools.Database.LayerTableId);
   foreach (DBObject obj in objs)
   {
      LayerTableRecord ltr=(LayerTableRecord)obj;
      Tools.Editor.WriteMessage(ltr.Name+"\n");
   }
}

SelectAtPoint

The following sample selects all the objects passing through the point selected by the user:

void test()
{
   PromptPointResult res=Tools.Editor.GetPoint("Please select a point:\n");
   Point3d pt=res.Value;
   int n=Tools.SelectAtPoint(pt).Count;
   Tools.Editor.WriteMessage(n.ToString());
}

The following functions are provided in DOTNETARX 2.1.

AddBlockTableRecord

In DOTNETARX, you can add the symbol table record using the AddSymbolTableRecord() function. But the BlockTableRecord is different from the other symbol table records. So, you must use the AddBlockTableRecord() function to add the BlockTableRecord. AddBlockTableRecord() function has two forms. The first one takes the Entity array as its argument (which represents the entities that have not been added into the AutoCAD database). If you want to add the entities on the screen into the BlockTableRecord, you will have to use the second one. It takes the ObjectID of the entities as its argument.

The following example shows you how to use AddBlockTableRecord() to create BlockTableRecords:

void Test()
{
   Lines line = new Lines(new Point3d(0,0,0),
                       new Point3d(50,50,0));
   Circles circle=
       new Circles(new Point3d(50,50,0),25);
   //Creates a new block table record named block1
   BlockTableRecord btr1=new BlockTableRecord();
   btr1.Name="block1";
   btr1.Origin=circle.Center;
   Tools.AddBlockTableRecord(btr1,
          new Entity[]{line,circle});
   //Adds the line and circle to block1,
   //then adds block1 to the block table 
   //of AutoCAD database.

   //Selects objects on the screen.
   PromptSelectionResult res=
         Tools.Editor.GetSelection();
   ObjectIdCollection ids = new 
       ObjectIdCollection(res.Value.GetObjectIds());
   //Gets the ObjectIds of the Selected objects.
   
   //Creates a new block table record named block2
   BlockTableRecord btr2=new BlockTableRecord();
   btr2.Name="block2";
   btr2.Origin=new Point3d(0,0,0);
   Tools.AddBlockTableRecord(btr2,ids);
   //Adds the selected objects to block2,
   //then adds block2 to the block table o
   //f AutoCAD database.
}

CoordFromPixelToWorld() and CoordFromWorldToPixel()

There's no first class .NET API to convert pixel to world coordinates and vise-versa. Special thanks to Albert Szilvasy on Autodesk discussion group for providing a way to solve this problem. The following example shows you how to use CoordFromPixelToWorld() and CoordFromWorldToPixel() functions to convert pixel to world coordinates and vise-versa. Note: In order to use these two functions, you must add the System.Drawing.dll assembly to your project:

void Test()
{
   Editor ed=Tools.Editor;
   Point3d pt1=
       ed.GetPoint("\nPlease select a point:").Value;
   //You must add the System.Drawing.dll 
   //in the reference of your project.
   System.Drawing.Point pix1;
   Tools.CoordFromWorldToPixel(0,
                  ref pt1,out pix1);
   ed.WriteMessage("\npixel coordinate is" + 
                       pix1.ToString() + 
                       ",world coordinate is" + 
                       pt1.ToString());

   System.Drawing.Point pix2=
       new System.Drawing.Point(100,100);
   Point3d pt2;
   Tools.CoordFromPixelToWorld(0,pix2,out pt2);
   ed.WriteMessage("\npixel coordinate is"+
                       pix2.ToString()+
                       ",world coordinate is"+
                       pt2.ToString());
}

GetBoundingBox()

In the .NET API, the GeomExtents property of an entity can get the corner points of a box that encloses the 3D extents of the entity. But for DBText and MText, the GeomExtents property always returns the point (0,0,0) for the min-point of the box. So, DOTNETARX provides the GetBoundingBox() function to let you get the correct corner points of an entity including the DBText and the MText objects. The return value of GetBoundingBox() is a Point3d array, [0] is the minimum point of the object's bounding box, [1] is the maximum point of the object's bounding box. The following example shows you how to use GetBoundingBox():

void Test()
{
   Editor ed=Tools.Editor;
   ObjectId id=ed.GetEntity("Please select " + 
              "an entity on the screen:\n").ObjectId;
   //Gets the ObjectId of a selected entity.
   
   //Gets the the two points of a box 
   //enclosing the selected entity.
   Point3d[] pts=Tools.GetBoundingBox(id);
   //Creates a line to see the output.
   Lines line=new Lines(pts[0],pts[1]);
   Tools.AddEntity(line);
}

Sendcommand and Regen

Sendcommand() function sends a command string to the current document for processing. There is no Regen function in .NET API, so I have added the Regen() function in DOTNETARX. The following example sends a command for evaluation to the AutoCAD command line of a particular drawing. Create a Circle in the active drawing and zoom to display the entire circle:

void Test()
{
    //You don't need the character "\n" 
    //for the Return action.
    Tools.SendCommand("_Circle","2,2,0","4");
    Tools.SendCommand("_zoom","a");
    //Refresh view
    Tools.Regen(Tools.RegenType.AllViewPorts);
}







dotnetarx.dll 下載:http://www.codeproject.com/dotnet/dotnetarxsample/dotnetarx2_1.zip


posted on 2006-02-20 09:42 夢在天涯 閱讀(4329) 評論(1)  編輯 收藏 引用 所屬分類: ARX/DBX

評論

# re: Using DOTNETARX To Develop Your .NET ObjectARX Applications 2006-02-23 08:23 夢在天涯

加一條線到model中

Line pline = new Line(new Point3d(10,10,0),new Point3d(100,100,0));
Database db= Application.DocumentManager.MdiActiveDocument.Database;
//DBTransMan tm=db.TransactionManager;
using(Transaction trans=db.TransactionManager.StartTransaction())
{
BlockTable bt=(BlockTable)db.TransactionManager.GetObject(db.BlockTableId,OpenMode. ForRead,false);
BlockTableRecord btr=
(BlockTableRecord)db.TransactionManager.GetObject(bt[BlockTableRecord.ModelSpace],
OpenMode.ForWrite,false);
btr.AppendEntity(pline);
db.TransactionManager.AddNewlyCreatedDBObject(pline,true);
trans.Commit();
}  回復  更多評論   

公告

EMail:itech001#126.com

導航

統計

  • 隨筆 - 461
  • 文章 - 4
  • 評論 - 746
  • 引用 - 0

常用鏈接

隨筆分類

隨筆檔案

收藏夾

Blogs

c#(csharp)

C++(cpp)

Enlish

Forums(bbs)

My self

Often go

Useful Webs

Xml/Uml/html

搜索

  •  

積分與排名

  • 積分 - 1811735
  • 排名 - 5

最新評論

閱讀排行榜

青青草原综合久久大伊人导航_色综合久久天天综合_日日噜噜夜夜狠狠久久丁香五月_热久久这里只有精品
  • <ins id="pjuwb"></ins>
    <blockquote id="pjuwb"><pre id="pjuwb"></pre></blockquote>
      <noscript id="pjuwb"></noscript>
            <sup id="pjuwb"><pre id="pjuwb"></pre></sup>
              <dd id="pjuwb"></dd>
              <abbr id="pjuwb"></abbr>
              久久久人成影片一区二区三区观看 | 久久久久久久综合色一本| 亚洲另类黄色| 亚洲精品乱码久久久久久久久| 亚洲高清av| 9l国产精品久久久久麻豆| 亚洲视频在线观看视频| 欧美亚洲一区二区在线| 久热精品视频| 欧美国产在线电影| 99ri日韩精品视频| 午夜亚洲福利| 欧美大片免费观看在线观看网站推荐| 欧美精品日本| 欧美一区二区三区四区在线观看地址| 国产精品一区免费观看| 国产亚洲一级| 一本高清dvd不卡在线观看| 亚洲欧美色一区| 老色鬼精品视频在线观看播放| 亚洲国产裸拍裸体视频在线观看乱了 | 国产日本欧美视频| 亚洲裸体俱乐部裸体舞表演av| 亚洲一区二区三区涩| 噜噜噜躁狠狠躁狠狠精品视频| 亚洲日本va午夜在线影院| 亚洲天堂久久| 欧美激情1区2区3区| 国产亚洲一区二区三区| 亚洲最新合集| 欧美成人高清| 午夜欧美精品久久久久久久| 欧美激情精品久久久| 国产自产精品| 午夜视频久久久| 亚洲片国产一区一级在线观看| 久久大逼视频| 国产精品一区免费观看| 在线视频日韩精品| 欧美好骚综合网| 久久久久国产精品一区三寸| 国产精品免费一区豆花| 在线视频中文亚洲| 亚洲第一精品久久忘忧草社区| 欧美一进一出视频| 国产精品社区| 午夜精品久久久99热福利| 亚洲片区在线| 欧美激情免费观看| 亚洲黄色免费| 欧美激情精品久久久久| 久久久噜噜噜久久| 精品av久久久久电影| 久久国产欧美精品| 午夜视频在线观看一区二区三区| 欧美日一区二区在线观看 | 国产精品影院在线观看| 在线一区视频| 亚洲精品国产拍免费91在线| 欧美成人精品一区二区| 91久久线看在观草草青青| 欧美国产一区二区在线观看 | 国模吧视频一区| 久久成人羞羞网站| 亚洲欧美日韩系列| 国产精品综合久久久| 欧美一区激情| 久久精品国产精品亚洲| 一区二区三区在线视频观看| 国产一区二区高清不卡| 亚洲三级电影全部在线观看高清| 蜜桃av一区| 女同性一区二区三区人了人一| 亚洲国产高清自拍| 亚洲精品日韩久久| 国产乱码精品一区二区三区忘忧草 | 欧美日韩成人在线播放| 亚洲视频在线视频| 亚洲一区亚洲| 黄色成人在线网站| 亚洲欧洲精品一区二区三区波多野1战4| 麻豆精品精华液| 亚洲视频网站在线观看| 亚洲综合色激情五月| 国产视频在线观看一区二区| 嫩草国产精品入口| 欧美三级电影大全| 欧美在线影院在线视频| 老司机精品视频一区二区三区| av成人免费在线| 亚洲欧美日韩精品久久| 91久久亚洲| 亚洲欧美日韩中文播放| 亚洲黄一区二区三区| 在线亚洲美日韩| 国产视频一区二区三区在线观看| 欧美91视频| 亚洲视频一区二区| 影视先锋久久| 国产精品99久久久久久久女警| 国产综合在线看| 99re这里只有精品6| 精品999在线播放| 在线视频欧美一区| 亚洲国产视频一区二区| 亚洲欧洲av一区二区| 日韩视频在线观看国产| 西西人体一区二区| 亚洲在线播放| 欧美激情视频给我| 男女视频一区二区| 国产一区二区视频在线观看| 亚洲精品影视在线观看| 一区二区视频免费在线观看| 一本色道久久综合亚洲精品按摩| 亚洲电影在线看| 欧美在线免费一级片| 午夜伦理片一区| 欧美日韩国产小视频| 欧美国产日产韩国视频| 国产婷婷成人久久av免费高清| 日韩一区二区久久| 亚洲激情在线观看视频免费| 欧美一区成人| 久久精品免费播放| 国产精品亚洲激情| 99在线观看免费视频精品观看| 亚洲日本欧美日韩高观看| 久久嫩草精品久久久精品| 国内精品伊人久久久久av影院 | 免费在线亚洲| 狠狠色狠狠色综合日日五| 亚洲第一视频| 午夜日韩在线| 久久国产直播| 国产欧美一区二区精品仙草咪| 这里只有精品在线播放| 亚洲视频精选| 欧美日韩国产123区| 亚洲精品影视在线观看| 99热在线精品观看| 欧美精品久久久久a| 亚洲精品久久久蜜桃| 一本久久a久久免费精品不卡| 欧美日韩国产页| 一区二区电影免费观看| 午夜一区二区三视频在线观看| 国产精品美女www爽爽爽| 亚洲视频 欧洲视频| 午夜视频在线观看一区二区| 国产欧美日本一区视频| 久久精品导航| 亚洲高清中文字幕| 国产精品99久久久久久久女警 | 亚洲国产精品久久久| 99视频日韩| 国产精品久久久久久久久久妞妞 | 欧美激情免费观看| 亚洲视频axxx| 美日韩精品视频| 亚洲乱码国产乱码精品精天堂| 欧美日韩在线一区二区| 欧美亚洲在线| 91久久精品国产91性色| 午夜精品www| 在线观看亚洲a| 欧美系列电影免费观看| 久久精品国产在热久久 | 正在播放亚洲| 怡红院精品视频在线观看极品| 欧美激情综合在线| 午夜视频在线观看一区二区| 欧美大尺度在线| 性欧美1819性猛交| 亚洲卡通欧美制服中文| 国产精品视频xxxx| 老牛嫩草一区二区三区日本| 一区二区三区免费在线观看| 久久亚裔精品欧美| 亚洲主播在线观看| 亚洲欧洲综合| 国产揄拍国内精品对白| 欧美日韩久久| 免费欧美电影| 久久精品五月| 亚洲欧美另类国产| 亚洲免费大片| 亚洲国产精品久久久久秋霞不卡| 一本色道久久综合狠狠躁篇的优点| 久久激情五月激情| 99riav国产精品| 激情综合视频| 国产精品日韩一区二区| 欧美高清成人| 久久久久久久久一区二区| 亚洲一区二区三区四区五区午夜| 亚洲国产精品激情在线观看| 免费成人黄色av| 久久亚洲精品网站| 久久国产夜色精品鲁鲁99|