Howto project a planar polygon on a plane in 3d-space
I want to project my Polygon along a vector to a plane in 3d Space. I would preferably use a single transformation matrix to do this, but I don't know how to build a matrix of this kind.
Given
- the plane's parameters (ax+by+cz+d),
- the world coordinates of my Polygon. As stated in the the headline, all vertices of my polygon lie in another plane.
- the direction vector along which to project my Polygon (currently the polygon's plane's normal vector)
goal -a 4x4 transformation matrix which performs the required projection,
or
- some insight on how to construct one myself
UPDATE
Thank you for the answer, it works as intended.
A word of caution to the pe开发者_如何学Cople who found this: If the Plane of projection's normal is parallel to the projection vector, the Denominator D will become (almost) 0, so to avoid strange things from happening, some kind of handling for this special case is needed. I solved it by checking if D < 1e-5, and if so, just translate my polygon along hte extrusion vector.
Suppose one of the polygon's vertices is (x0, y0, z0)
, and the direction vector is (dx,dy,dz)
.
A point on the line of projection is: (x,y,z) = (x0 + t*dx, y0 + t*dy, z0 + t*dz)
.
You want to find the intersection of this line with the plane, so plug it into the plane equation ax+by+cz+d = 0
and solve for t:
t = (-a*x0 - b*y0 - c*z0 - d) / (a*dx + b*dy + c*dz)
And then you have your target vertex: x = x0+dx*t
, etc.
Since this is an affine transformation, it can be performed by a 4x4 matrix. You should be able to determine the matrix elements by writing the three equations for x,y,z as a function of x0,y0,z0 and taking the coefficients.
For example, for x:
x = x0 - (a*dx*x0 + b*dx*y0 + c*dx*z0 + d*dx) / D
x = (1 - a*dx/D)*x0 - (b*dx/D)*y0 - (c*dx/D)*z0 - d*dx/D
Where D = a*dx + b*dy + c*dz
is the denominator from above. y and z work similarly.
Result matrix:
1-a*dx/D -b*dx/D -c*dx/D -d*dx/D
-a*dy/D 1-b*dy/D -c*dy/D -d*dy/D
-a*dz/D -b*dz/D 1-c*dz/D -d*dz/D
0 0 0 1
(Note: On Direct3D this matrix should be transposed, because it uses row vectors instead of column vectors).
精彩评论