dinput: Clear DIA_APPNOMAP BuildActionMap flag with specific device semantic.
[wine.git] / dlls / win32u / path.c
blob5490d885693bd77db0e9d2fd5e3681a362741592
1 /*
2 * Graphics paths (BeginPath, EndPath etc.)
4 * Copyright 1997, 1998 Martin Boehme
5 * 1999 Huw D M Davies
6 * Copyright 2005 Dmitry Timoshkov
7 * Copyright 2011 Alexandre Julliard
9 * This library is free software; you can redistribute it and/or
10 * modify it under the terms of the GNU Lesser General Public
11 * License as published by the Free Software Foundation; either
12 * version 2.1 of the License, or (at your option) any later version.
14 * This library is distributed in the hope that it will be useful,
15 * but WITHOUT ANY WARRANTY; without even the implied warranty of
16 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
17 * Lesser General Public License for more details.
19 * You should have received a copy of the GNU Lesser General Public
20 * License along with this library; if not, write to the Free Software
21 * Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301, USA
24 #if 0
25 #pragma makedep unix
26 #endif
28 #include <assert.h>
29 #include <math.h>
30 #include <stdarg.h>
31 #include <string.h>
32 #include <stdlib.h>
33 #include <float.h>
35 #include "windef.h"
36 #include "winbase.h"
37 #include "wingdi.h"
38 #include "winerror.h"
40 #include "ntgdi_private.h"
41 #include "wine/debug.h"
43 WINE_DEFAULT_DEBUG_CHANNEL(gdi);
45 /* Notes on the implementation
47 * The implementation is based on dynamically resizable arrays of points and
48 * flags. I dithered for a bit before deciding on this implementation, and
49 * I had even done a bit of work on a linked list version before switching
50 * to arrays. It's a bit of a tradeoff. When you use linked lists, the
51 * implementation of FlattenPath is easier, because you can rip the
52 * PT_BEZIERTO entries out of the middle of the list and link the
53 * corresponding PT_LINETO entries in. However, when you use arrays,
54 * PathToRegion becomes easier, since you can essentially just pass your array
55 * of points to CreatePolyPolygonRgn. Also, if I'd used linked lists, I would
56 * have had the extra effort of creating a chunk-based allocation scheme
57 * in order to use memory effectively. That's why I finally decided to use
58 * arrays. Note by the way that the array based implementation has the same
59 * linear time complexity that linked lists would have since the arrays grow
60 * exponentially.
62 * The points are stored in the path in device coordinates. This is
63 * consistent with the way Windows does things (for instance, see the Win32
64 * SDK documentation for GetPath).
66 * The word "stroke" appears in several places (e.g. in the flag
67 * GdiPath.newStroke). A stroke consists of a PT_MOVETO followed by one or
68 * more PT_LINETOs or PT_BEZIERTOs, up to, but not including, the next
69 * PT_MOVETO. Note that this is not the same as the definition of a figure;
70 * a figure can contain several strokes.
72 * Martin Boehme
75 #define NUM_ENTRIES_INITIAL 16 /* Initial size of points / flags arrays */
77 /* A floating point version of the POINT structure */
78 typedef struct tagFLOAT_POINT
80 double x, y;
81 } FLOAT_POINT;
83 struct gdi_path
85 POINT *points;
86 BYTE *flags;
87 int count;
88 int allocated;
89 BOOL newStroke;
90 POINT pos; /* current cursor position */
91 POINT points_buf[NUM_ENTRIES_INITIAL];
92 BYTE flags_buf[NUM_ENTRIES_INITIAL];
95 struct path_physdev
97 struct gdi_physdev dev;
98 struct gdi_path *path;
101 static inline struct path_physdev *get_path_physdev( PHYSDEV dev )
103 return CONTAINING_RECORD( dev, struct path_physdev, dev );
106 void free_gdi_path( struct gdi_path *path )
108 if (path->points != path->points_buf)
109 free( path->points );
110 free( path );
113 static struct gdi_path *alloc_gdi_path( int count )
115 struct gdi_path *path = malloc( sizeof(*path) );
117 if (!path)
119 RtlSetLastWin32Error( ERROR_NOT_ENOUGH_MEMORY );
120 return NULL;
122 count = max( NUM_ENTRIES_INITIAL, count );
123 if (count > NUM_ENTRIES_INITIAL)
125 path->points = malloc( count * (sizeof(path->points[0]) + sizeof(path->flags[0])) );
126 if (!path->points)
128 free( path );
129 RtlSetLastWin32Error( ERROR_NOT_ENOUGH_MEMORY );
130 return NULL;
132 path->flags = (BYTE *)(path->points + count);
134 else
136 path->points = path->points_buf;
137 path->flags = path->flags_buf;
139 path->count = 0;
140 path->allocated = count;
141 path->newStroke = TRUE;
142 path->pos.x = path->pos.y = 0;
143 return path;
146 static struct gdi_path *copy_gdi_path( const struct gdi_path *src_path )
148 struct gdi_path *path = alloc_gdi_path( src_path->count );
150 if (!path) return NULL;
152 path->count = src_path->count;
153 path->newStroke = src_path->newStroke;
154 path->pos = src_path->pos;
155 memcpy( path->points, src_path->points, path->count * sizeof(*path->points) );
156 memcpy( path->flags, src_path->flags, path->count * sizeof(*path->flags) );
157 return path;
160 /* Performs a world-to-viewport transformation on the specified point (which
161 * is in floating point format).
163 static inline void INTERNAL_LPTODP_FLOAT( DC *dc, FLOAT_POINT *point, int count )
165 double x, y;
167 while (count--)
169 x = point->x;
170 y = point->y;
171 point->x = x * dc->xformWorld2Vport.eM11 + y * dc->xformWorld2Vport.eM21 + dc->xformWorld2Vport.eDx;
172 point->y = x * dc->xformWorld2Vport.eM12 + y * dc->xformWorld2Vport.eM22 + dc->xformWorld2Vport.eDy;
173 point++;
177 static inline INT int_from_fixed(FIXED f)
179 return (f.fract >= 0x8000) ? (f.value + 1) : f.value;
183 /* PATH_ReserveEntries
185 * Ensures that at least "numEntries" entries (for points and flags) have
186 * been allocated; allocates larger arrays and copies the existing entries
187 * to those arrays, if necessary. Returns TRUE if successful, else FALSE.
189 static BOOL PATH_ReserveEntries(struct gdi_path *path, INT count)
191 POINT *pts_new;
192 int size;
194 assert(count>=0);
196 /* Do we have to allocate more memory? */
197 if (count > path->allocated)
199 /* Find number of entries to allocate. We let the size of the array
200 * grow exponentially, since that will guarantee linear time
201 * complexity. */
202 count = max( path->allocated * 2, count );
203 size = count * (sizeof(path->points[0]) + sizeof(path->flags[0]));
205 if (path->points == path->points_buf)
207 pts_new = malloc( size );
208 if (!pts_new) return FALSE;
209 memcpy( pts_new, path->points, path->count * sizeof(path->points[0]) );
210 memcpy( pts_new + count, path->flags, path->count * sizeof(path->flags[0]) );
212 else
214 pts_new = realloc( path->points, size );
215 if (!pts_new) return FALSE;
216 memmove( pts_new + count, pts_new + path->allocated, path->count * sizeof(path->flags[0]) );
219 path->points = pts_new;
220 path->flags = (BYTE *)(pts_new + count);
221 path->allocated = count;
223 return TRUE;
226 /* PATH_AddEntry
228 * Adds an entry to the path. For "flags", pass either PT_MOVETO, PT_LINETO
229 * or PT_BEZIERTO, optionally ORed with PT_CLOSEFIGURE. Returns TRUE if
230 * successful, FALSE otherwise (e.g. if not enough memory was available).
232 static BOOL PATH_AddEntry(struct gdi_path *pPath, const POINT *pPoint, BYTE flags)
234 /* FIXME: If newStroke is true, perhaps we want to check that we're
235 * getting a PT_MOVETO
237 TRACE("(%d,%d) - %d\n", (int)pPoint->x, (int)pPoint->y, flags);
239 /* Reserve enough memory for an extra path entry */
240 if(!PATH_ReserveEntries(pPath, pPath->count+1))
241 return FALSE;
243 /* Store information in path entry */
244 pPath->points[pPath->count]=*pPoint;
245 pPath->flags[pPath->count]=flags;
247 pPath->count++;
249 return TRUE;
252 /* add a number of points, converting them to device coords */
253 /* return a pointer to the first type byte so it can be fixed up if necessary */
254 static BYTE *add_log_points( DC *dc, struct gdi_path *path, const POINT *points,
255 DWORD count, BYTE type )
257 BYTE *ret;
259 if (!PATH_ReserveEntries( path, path->count + count )) return NULL;
261 ret = &path->flags[path->count];
262 memcpy( &path->points[path->count], points, count * sizeof(*points) );
263 lp_to_dp( dc, &path->points[path->count], count );
264 memset( ret, type, count );
265 path->count += count;
266 return ret;
269 /* add a number of points that are already in device coords */
270 /* return a pointer to the first type byte so it can be fixed up if necessary */
271 static BYTE *add_points( struct gdi_path *path, const POINT *points, DWORD count, BYTE type )
273 BYTE *ret;
275 if (!PATH_ReserveEntries( path, path->count + count )) return NULL;
277 ret = &path->flags[path->count];
278 memcpy( &path->points[path->count], points, count * sizeof(*points) );
279 memset( ret, type, count );
280 path->count += count;
281 return ret;
284 /* reverse the order of an array of points */
285 static void reverse_points( POINT *points, UINT count )
287 UINT i;
288 for (i = 0; i < count / 2; i++)
290 POINT pt = points[i];
291 points[i] = points[count - i - 1];
292 points[count - i - 1] = pt;
296 /* start a new path stroke if necessary */
297 static BOOL start_new_stroke( struct gdi_path *path )
299 if (!path->newStroke && path->count &&
300 !(path->flags[path->count - 1] & PT_CLOSEFIGURE) &&
301 path->points[path->count - 1].x == path->pos.x &&
302 path->points[path->count - 1].y == path->pos.y)
303 return TRUE;
305 path->newStroke = FALSE;
306 return add_points( path, &path->pos, 1, PT_MOVETO ) != NULL;
309 /* set current position to the last point that was added to the path */
310 static void update_current_pos( struct gdi_path *path )
312 assert( path->count );
313 path->pos = path->points[path->count - 1];
316 /* close the current figure */
317 static void close_figure( struct gdi_path *path )
319 assert( path->count );
320 path->flags[path->count - 1] |= PT_CLOSEFIGURE;
323 /* add a number of points, starting a new stroke if necessary */
324 static BOOL add_log_points_new_stroke( DC *dc, struct gdi_path *path, const POINT *points,
325 DWORD count, BYTE type )
327 if (!start_new_stroke( path )) return FALSE;
328 if (!add_log_points( dc, path, points, count, type )) return FALSE;
329 update_current_pos( path );
330 return TRUE;
333 /* convert a (flattened) path to a region */
334 static HRGN path_to_region( const struct gdi_path *path, int mode )
336 int i, pos, polygons, *counts;
337 HRGN hrgn;
339 if (!path->count) return 0;
341 if (!(counts = malloc( (path->count / 2) * sizeof(*counts) ))) return 0;
343 pos = polygons = 0;
344 assert( path->flags[0] == PT_MOVETO );
345 for (i = 1; i < path->count; i++)
347 if (path->flags[i] != PT_MOVETO) continue;
348 counts[polygons++] = i - pos;
349 pos = i;
351 if (i > pos + 1) counts[polygons++] = i - pos;
353 assert( polygons <= path->count / 2 );
354 hrgn = create_polypolygon_region( path->points, counts, polygons, mode, NULL );
355 free( counts );
356 return hrgn;
359 /* PATH_CheckCorners
361 * Helper function for RoundRect() and Rectangle()
363 static BOOL PATH_CheckCorners( DC *dc, POINT corners[], INT x1, INT y1, INT x2, INT y2 )
365 INT temp;
367 /* Convert points to device coordinates */
368 corners[0].x=x1;
369 corners[0].y=y1;
370 corners[1].x=x2;
371 corners[1].y=y2;
372 lp_to_dp( dc, corners, 2 );
374 /* Make sure first corner is top left and second corner is bottom right */
375 if(corners[0].x>corners[1].x)
377 temp=corners[0].x;
378 corners[0].x=corners[1].x;
379 corners[1].x=temp;
381 if(corners[0].y>corners[1].y)
383 temp=corners[0].y;
384 corners[0].y=corners[1].y;
385 corners[1].y=temp;
388 /* In GM_COMPATIBLE, don't include bottom and right edges */
389 if (dc->attr->graphics_mode == GM_COMPATIBLE)
391 if (corners[0].x == corners[1].x) return FALSE;
392 if (corners[0].y == corners[1].y) return FALSE;
393 corners[1].x--;
394 corners[1].y--;
396 return TRUE;
399 /* PATH_AddFlatBezier
401 static BOOL PATH_AddFlatBezier(struct gdi_path *pPath, POINT *pt, BOOL closed)
403 POINT *pts;
404 BOOL ret;
405 INT no;
407 pts = GDI_Bezier( pt, 4, &no );
408 if(!pts) return FALSE;
410 ret = (add_points( pPath, pts + 1, no - 1, PT_LINETO ) != NULL);
411 if (ret && closed) close_figure( pPath );
412 free( pts );
413 return ret;
416 /* PATH_FlattenPath
418 * Replaces Beziers with line segments
421 static struct gdi_path *PATH_FlattenPath(const struct gdi_path *pPath)
423 struct gdi_path *new_path;
424 INT srcpt;
426 if (!(new_path = alloc_gdi_path( pPath->count ))) return NULL;
428 for(srcpt = 0; srcpt < pPath->count; srcpt++) {
429 switch(pPath->flags[srcpt] & ~PT_CLOSEFIGURE) {
430 case PT_MOVETO:
431 case PT_LINETO:
432 if (!PATH_AddEntry(new_path, &pPath->points[srcpt], pPath->flags[srcpt]))
434 free_gdi_path( new_path );
435 return NULL;
437 break;
438 case PT_BEZIERTO:
439 if (!PATH_AddFlatBezier(new_path, &pPath->points[srcpt-1],
440 pPath->flags[srcpt+2] & PT_CLOSEFIGURE))
442 free_gdi_path( new_path );
443 return NULL;
445 srcpt += 2;
446 break;
449 return new_path;
452 /* PATH_ScaleNormalizedPoint
454 * Scales a normalized point (x, y) with respect to the box whose corners are
455 * passed in "corners". The point is stored in "*pPoint". The normalized
456 * coordinates (-1.0, -1.0) correspond to corners[0], the coordinates
457 * (1.0, 1.0) correspond to corners[1].
459 static void PATH_ScaleNormalizedPoint(FLOAT_POINT corners[], double x,
460 double y, POINT *pPoint)
462 pPoint->x = GDI_ROUND( corners[0].x + (corners[1].x-corners[0].x)*0.5*(x+1.0) );
463 pPoint->y = GDI_ROUND( corners[0].y + (corners[1].y-corners[0].y)*0.5*(y+1.0) );
466 /* PATH_NormalizePoint
468 * Normalizes a point with respect to the box whose corners are passed in
469 * "corners". The normalized coordinates are stored in "*pX" and "*pY".
471 static void PATH_NormalizePoint(FLOAT_POINT corners[],
472 const FLOAT_POINT *pPoint,
473 double *pX, double *pY)
475 *pX = (pPoint->x-corners[0].x)/(corners[1].x-corners[0].x) * 2.0 - 1.0;
476 *pY = (pPoint->y-corners[0].y)/(corners[1].y-corners[0].y) * 2.0 - 1.0;
479 /* PATH_DoArcPart
481 * Creates a Bezier spline that corresponds to part of an arc and appends the
482 * corresponding points to the path. The start and end angles are passed in
483 * "angleStart" and "angleEnd"; these angles should span a quarter circle
484 * at most. If "startEntryType" is non-zero, an entry of that type for the first
485 * control point is added to the path; otherwise, it is assumed that the current
486 * position is equal to the first control point.
488 static BOOL PATH_DoArcPart(struct gdi_path *pPath, FLOAT_POINT corners[],
489 double angleStart, double angleEnd, BYTE startEntryType)
491 double halfAngle, a;
492 double xNorm[4], yNorm[4];
493 POINT points[4];
494 BYTE *type;
495 int i, start;
497 assert(fabs(angleEnd-angleStart)<=M_PI_2);
499 /* FIXME: Is there an easier way of computing this? */
501 /* Compute control points */
502 halfAngle=(angleEnd-angleStart)/2.0;
503 if(fabs(halfAngle)>1e-8)
505 a=4.0/3.0*(1-cos(halfAngle))/sin(halfAngle);
506 xNorm[0]=cos(angleStart);
507 yNorm[0]=sin(angleStart);
508 xNorm[1]=xNorm[0] - a*yNorm[0];
509 yNorm[1]=yNorm[0] + a*xNorm[0];
510 xNorm[3]=cos(angleEnd);
511 yNorm[3]=sin(angleEnd);
512 xNorm[2]=xNorm[3] + a*yNorm[3];
513 yNorm[2]=yNorm[3] - a*xNorm[3];
515 else
516 for(i=0; i<4; i++)
518 xNorm[i]=cos(angleStart);
519 yNorm[i]=sin(angleStart);
522 /* Add starting point to path if desired */
523 start = !startEntryType;
524 for (i = start; i < 4; i++) PATH_ScaleNormalizedPoint(corners, xNorm[i], yNorm[i], &points[i]);
525 if (!(type = add_points( pPath, points + start, 4 - start, PT_BEZIERTO ))) return FALSE;
526 if (!start) type[0] = startEntryType;
527 return TRUE;
530 /* retrieve a flattened path in device coordinates, and optionally its region */
531 /* the DC path is deleted; the returned data must be freed by caller using free_gdi_path() */
532 /* helper for stroke_and_fill_path in the DIB driver */
533 struct gdi_path *get_gdi_flat_path( DC *dc, HRGN *rgn )
535 struct gdi_path *ret = NULL;
537 if (dc->path)
539 ret = PATH_FlattenPath( dc->path );
541 free_gdi_path( dc->path );
542 dc->path = NULL;
543 if (ret && rgn) *rgn = path_to_region( ret, dc->attr->poly_fill_mode );
545 else RtlSetLastWin32Error( ERROR_CAN_NOT_COMPLETE );
547 return ret;
550 int get_gdi_path_data( struct gdi_path *path, POINT **pts, BYTE **flags )
552 *pts = path->points;
553 *flags = path->flags;
554 return path->count;
557 /***********************************************************************
558 * NtGdiBeginPath (win32u.@)
560 BOOL WINAPI NtGdiBeginPath( HDC hdc )
562 BOOL ret = FALSE;
563 DC *dc = get_dc_ptr( hdc );
565 if (dc)
567 PHYSDEV physdev = GET_DC_PHYSDEV( dc, pBeginPath );
568 ret = physdev->funcs->pBeginPath( physdev );
569 release_dc_ptr( dc );
571 return ret;
575 /***********************************************************************
576 * NtGdiEndPath (win32u.@)
578 BOOL WINAPI NtGdiEndPath( HDC hdc )
580 BOOL ret = FALSE;
581 DC *dc = get_dc_ptr( hdc );
583 if (dc)
585 PHYSDEV physdev = GET_DC_PHYSDEV( dc, pEndPath );
586 ret = physdev->funcs->pEndPath( physdev );
587 release_dc_ptr( dc );
589 return ret;
593 /******************************************************************************
594 * NtGdiAbortPath (win32u.@)
596 BOOL WINAPI NtGdiAbortPath( HDC hdc )
598 BOOL ret = FALSE;
599 DC *dc = get_dc_ptr( hdc );
601 if (dc)
603 PHYSDEV physdev = GET_DC_PHYSDEV( dc, pAbortPath );
604 ret = physdev->funcs->pAbortPath( physdev );
605 release_dc_ptr( dc );
607 return ret;
611 /***********************************************************************
612 * NtGdiCloseFigure (win32u.@)
614 BOOL WINAPI NtGdiCloseFigure( HDC hdc )
616 BOOL ret = FALSE;
617 DC *dc = get_dc_ptr( hdc );
619 if (dc)
621 PHYSDEV physdev = GET_DC_PHYSDEV( dc, pCloseFigure );
622 ret = physdev->funcs->pCloseFigure( physdev );
623 release_dc_ptr( dc );
625 return ret;
629 /***********************************************************************
630 * NtGdiGetPath (win32u.@)
632 INT WINAPI NtGdiGetPath( HDC hdc, POINT *points, BYTE *types, INT size )
634 INT ret = -1;
635 DC *dc = get_dc_ptr( hdc );
637 if (!dc) return -1;
639 if (!dc->path)
641 RtlSetLastWin32Error( ERROR_CAN_NOT_COMPLETE );
643 else if (size == 0)
645 ret = dc->path->count;
647 else if (size < dc->path->count)
649 RtlSetLastWin32Error( ERROR_INVALID_PARAMETER );
651 else
653 memcpy( points, dc->path->points, sizeof(POINT) * dc->path->count );
654 memcpy( types, dc->path->flags, sizeof(BYTE) * dc->path->count );
656 /* Convert the points to logical coordinates */
657 if (dp_to_lp( dc, points, dc->path->count ))
658 ret = dc->path->count;
659 else
660 /* FIXME: Is this the correct value? */
661 RtlSetLastWin32Error( ERROR_CAN_NOT_COMPLETE );
664 release_dc_ptr( dc );
665 return ret;
669 /***********************************************************************
670 * NtGdiPathToRegion (win32u.@)
672 HRGN WINAPI NtGdiPathToRegion( HDC hdc )
674 HRGN ret = 0;
675 DC *dc = get_dc_ptr( hdc );
677 if (!dc) return 0;
679 if (dc->path)
681 struct gdi_path *path = PATH_FlattenPath( dc->path );
683 free_gdi_path( dc->path );
684 dc->path = NULL;
685 if (path)
687 ret = path_to_region( path, dc->attr->poly_fill_mode );
688 free_gdi_path( path );
691 else RtlSetLastWin32Error( ERROR_CAN_NOT_COMPLETE );
693 release_dc_ptr( dc );
694 return ret;
698 /***********************************************************************
699 * NtGdiFillPath (win32u.@)
701 BOOL WINAPI NtGdiFillPath( HDC hdc )
703 BOOL ret = FALSE;
704 DC *dc = get_dc_ptr( hdc );
706 if (dc)
708 PHYSDEV physdev = GET_DC_PHYSDEV( dc, pFillPath );
709 ret = physdev->funcs->pFillPath( physdev );
710 release_dc_ptr( dc );
712 return ret;
716 /***********************************************************************
717 * NtGdiSelectClipPath (win32u.@)
719 BOOL WINAPI NtGdiSelectClipPath( HDC hdc, INT mode )
721 BOOL ret = FALSE;
722 HRGN rgn;
724 if ((rgn = NtGdiPathToRegion( hdc )))
726 ret = NtGdiExtSelectClipRgn( hdc, rgn, mode ) != ERROR;
727 NtGdiDeleteObjectApp( rgn );
729 return ret;
733 /***********************************************************************
734 * pathdrv_BeginPath
736 static BOOL CDECL pathdrv_BeginPath( PHYSDEV dev )
738 /* path already open, nothing to do */
739 return TRUE;
743 /***********************************************************************
744 * pathdrv_AbortPath
746 static BOOL CDECL pathdrv_AbortPath( PHYSDEV dev )
748 DC *dc = get_physdev_dc( dev );
750 path_driver.pDeleteDC( pop_dc_driver( dc, &path_driver ));
751 return TRUE;
755 /***********************************************************************
756 * pathdrv_EndPath
758 static BOOL CDECL pathdrv_EndPath( PHYSDEV dev )
760 struct path_physdev *physdev = get_path_physdev( dev );
761 DC *dc = get_physdev_dc( dev );
763 dc->path = physdev->path;
764 pop_dc_driver( dc, &path_driver );
765 free( physdev );
766 return TRUE;
770 /***********************************************************************
771 * pathdrv_CreateDC
773 static BOOL CDECL pathdrv_CreateDC( PHYSDEV *dev, LPCWSTR device, LPCWSTR output,
774 const DEVMODEW *devmode )
776 struct path_physdev *physdev = malloc( sizeof(*physdev) );
778 if (!physdev) return FALSE;
779 push_dc_driver( dev, &physdev->dev, &path_driver );
780 return TRUE;
784 /*************************************************************
785 * pathdrv_DeleteDC
787 static BOOL CDECL pathdrv_DeleteDC( PHYSDEV dev )
789 struct path_physdev *physdev = get_path_physdev( dev );
791 free_gdi_path( physdev->path );
792 free( physdev );
793 return TRUE;
797 BOOL PATH_SavePath( DC *dst, DC *src )
799 PHYSDEV dev;
801 if (src->path)
803 if (!(dst->path = copy_gdi_path( src->path ))) return FALSE;
805 else if ((dev = find_dc_driver( src, &path_driver )))
807 struct path_physdev *physdev = get_path_physdev( dev );
808 if (!(dst->path = copy_gdi_path( physdev->path ))) return FALSE;
809 dst->path_open = TRUE;
811 else dst->path = NULL;
812 return TRUE;
815 BOOL PATH_RestorePath( DC *dst, DC *src )
817 PHYSDEV dev;
818 struct path_physdev *physdev;
820 if ((dev = pop_dc_driver( dst, &path_driver )))
822 physdev = get_path_physdev( dev );
823 free_gdi_path( physdev->path );
824 free( physdev );
827 if (src->path && src->path_open)
829 if (!path_driver.pCreateDC( &dst->physDev, NULL, NULL, NULL )) return FALSE;
830 physdev = get_path_physdev( find_dc_driver( dst, &path_driver ));
831 physdev->path = src->path;
832 src->path_open = FALSE;
833 src->path = NULL;
836 if (dst->path) free_gdi_path( dst->path );
837 dst->path = src->path;
838 src->path = NULL;
839 return TRUE;
843 /*************************************************************
844 * pathdrv_MoveTo
846 static BOOL CDECL pathdrv_MoveTo( PHYSDEV dev, INT x, INT y )
848 struct path_physdev *physdev = get_path_physdev( dev );
849 DC *dc = get_physdev_dc( dev );
851 physdev->path->newStroke = TRUE;
852 physdev->path->pos.x = x;
853 physdev->path->pos.y = y;
854 lp_to_dp( dc, &physdev->path->pos, 1 );
855 return TRUE;
859 /*************************************************************
860 * pathdrv_LineTo
862 static BOOL CDECL pathdrv_LineTo( PHYSDEV dev, INT x, INT y )
864 struct path_physdev *physdev = get_path_physdev( dev );
865 DC *dc = get_physdev_dc( dev );
866 POINT point;
868 point.x = x;
869 point.y = y;
870 return add_log_points_new_stroke( dc, physdev->path, &point, 1, PT_LINETO );
874 /*************************************************************
875 * pathdrv_Rectangle
877 static BOOL CDECL pathdrv_Rectangle( PHYSDEV dev, INT x1, INT y1, INT x2, INT y2 )
879 struct path_physdev *physdev = get_path_physdev( dev );
880 DC *dc = get_physdev_dc( dev );
881 POINT corners[2], points[4];
882 BYTE *type;
884 if (!PATH_CheckCorners( dc, corners, x1, y1, x2, y2 )) return TRUE;
886 points[0].x = corners[1].x;
887 points[0].y = corners[0].y;
888 points[1] = corners[0];
889 points[2].x = corners[0].x;
890 points[2].y = corners[1].y;
891 points[3] = corners[1];
892 if (dc->attr->arc_direction == AD_CLOCKWISE) reverse_points( points, 4 );
894 if (!(type = add_points( physdev->path, points, 4, PT_LINETO ))) return FALSE;
895 type[0] = PT_MOVETO;
896 close_figure( physdev->path );
897 return TRUE;
901 /*************************************************************
902 * pathdrv_RoundRect
904 static BOOL CDECL pathdrv_RoundRect( PHYSDEV dev, INT x1, INT y1, INT x2, INT y2, INT ell_width, INT ell_height )
906 const double factor = 0.55428475; /* 4 / 3 * (sqrt(2) - 1) */
907 struct path_physdev *physdev = get_path_physdev( dev );
908 DC *dc = get_physdev_dc( dev );
909 POINT corners[2], ellipse[2], points[16];
910 BYTE *type;
911 double width, height;
913 if (!ell_width || !ell_height) return pathdrv_Rectangle( dev, x1, y1, x2, y2 );
915 if (!PATH_CheckCorners( dc, corners, x1, y1, x2, y2 )) return TRUE;
917 ellipse[0].x = ellipse[0].y = 0;
918 ellipse[1].x = ell_width;
919 ellipse[1].y = ell_height;
920 lp_to_dp( dc, (POINT *)&ellipse, 2 );
921 ell_width = min( abs( ellipse[1].x - ellipse[0].x ), corners[1].x - corners[0].x );
922 ell_height = min( abs( ellipse[1].y - ellipse[0].y ), corners[1].y - corners[0].y );
923 width = ell_width / 2.0;
924 height = ell_height / 2.0;
926 /* starting point */
927 points[0].x = corners[1].x;
928 points[0].y = corners[0].y + GDI_ROUND( height );
929 /* first curve */
930 points[1].x = corners[1].x;
931 points[1].y = corners[0].y + GDI_ROUND( height * (1 - factor) );
932 points[2].x = corners[1].x - GDI_ROUND( width * (1 - factor) );
933 points[2].y = corners[0].y;
934 points[3].x = corners[1].x - GDI_ROUND( width );
935 points[3].y = corners[0].y;
936 /* horizontal line */
937 points[4].x = corners[0].x + GDI_ROUND( width );
938 points[4].y = corners[0].y;
939 /* second curve */
940 points[5].x = corners[0].x + GDI_ROUND( width * (1 - factor) );
941 points[5].y = corners[0].y;
942 points[6].x = corners[0].x;
943 points[6].y = corners[0].y + GDI_ROUND( height * (1 - factor) );
944 points[7].x = corners[0].x;
945 points[7].y = corners[0].y + GDI_ROUND( height );
946 /* vertical line */
947 points[8].x = corners[0].x;
948 points[8].y = corners[1].y - GDI_ROUND( height );
949 /* third curve */
950 points[9].x = corners[0].x;
951 points[9].y = corners[1].y - GDI_ROUND( height * (1 - factor) );
952 points[10].x = corners[0].x + GDI_ROUND( width * (1 - factor) );
953 points[10].y = corners[1].y;
954 points[11].x = corners[0].x + GDI_ROUND( width );
955 points[11].y = corners[1].y;
956 /* horizontal line */
957 points[12].x = corners[1].x - GDI_ROUND( width );
958 points[12].y = corners[1].y;
959 /* fourth curve */
960 points[13].x = corners[1].x - GDI_ROUND( width * (1 - factor) );
961 points[13].y = corners[1].y;
962 points[14].x = corners[1].x;
963 points[14].y = corners[1].y - GDI_ROUND( height * (1 - factor) );
964 points[15].x = corners[1].x;
965 points[15].y = corners[1].y - GDI_ROUND( height );
967 if (dc->attr->arc_direction == AD_CLOCKWISE) reverse_points( points, 16 );
968 if (!(type = add_points( physdev->path, points, 16, PT_BEZIERTO ))) return FALSE;
969 type[0] = PT_MOVETO;
970 type[4] = type[8] = type[12] = PT_LINETO;
971 close_figure( physdev->path );
972 return TRUE;
976 /*************************************************************
977 * pathdrv_Ellipse
979 static BOOL CDECL pathdrv_Ellipse( PHYSDEV dev, INT x1, INT y1, INT x2, INT y2 )
981 const double factor = 0.55428475; /* 4 / 3 * (sqrt(2) - 1) */
982 struct path_physdev *physdev = get_path_physdev( dev );
983 DC *dc = get_physdev_dc( dev );
984 POINT corners[2], points[13];
985 BYTE *type;
986 double width, height;
988 if (!PATH_CheckCorners( dc, corners, x1, y1, x2, y2 )) return TRUE;
990 width = (corners[1].x - corners[0].x) / 2.0;
991 height = (corners[1].y - corners[0].y) / 2.0;
993 /* starting point */
994 points[0].x = corners[1].x;
995 points[0].y = corners[0].y + GDI_ROUND( height );
996 /* first curve */
997 points[1].x = corners[1].x;
998 points[1].y = corners[0].y + GDI_ROUND( height * (1 - factor) );
999 points[2].x = corners[1].x - GDI_ROUND( width * (1 - factor) );
1000 points[2].y = corners[0].y;
1001 points[3].x = corners[0].x + GDI_ROUND( width );
1002 points[3].y = corners[0].y;
1003 /* second curve */
1004 points[4].x = corners[0].x + GDI_ROUND( width * (1 - factor) );
1005 points[4].y = corners[0].y;
1006 points[5].x = corners[0].x;
1007 points[5].y = corners[0].y + GDI_ROUND( height * (1 - factor) );
1008 points[6].x = corners[0].x;
1009 points[6].y = corners[0].y + GDI_ROUND( height );
1010 /* third curve */
1011 points[7].x = corners[0].x;
1012 points[7].y = corners[1].y - GDI_ROUND( height * (1 - factor) );
1013 points[8].x = corners[0].x + GDI_ROUND( width * (1 - factor) );
1014 points[8].y = corners[1].y;
1015 points[9].x = corners[0].x + GDI_ROUND( width );
1016 points[9].y = corners[1].y;
1017 /* fourth curve */
1018 points[10].x = corners[1].x - GDI_ROUND( width * (1 - factor) );
1019 points[10].y = corners[1].y;
1020 points[11].x = corners[1].x;
1021 points[11].y = corners[1].y - GDI_ROUND( height * (1 - factor) );
1022 points[12].x = corners[1].x;
1023 points[12].y = corners[1].y - GDI_ROUND( height );
1025 if (dc->attr->arc_direction == AD_CLOCKWISE) reverse_points( points, 13 );
1026 if (!(type = add_points( physdev->path, points, 13, PT_BEZIERTO ))) return FALSE;
1027 type[0] = PT_MOVETO;
1028 close_figure( physdev->path );
1029 return TRUE;
1033 /* PATH_Arc
1035 * Should be called when a call to Arc is performed on a DC that has
1036 * an open path. This adds up to five Bezier splines representing the arc
1037 * to the path. When 'lines' is 1, we add 1 extra line to get a chord,
1038 * when 'lines' is 2, we add 2 extra lines to get a pie, and when 'lines' is
1039 * -1 we add 1 extra line from the current DC position to the starting position
1040 * of the arc before drawing the arc itself (arcto). Returns TRUE if successful,
1041 * else FALSE.
1043 static BOOL PATH_Arc( PHYSDEV dev, INT x1, INT y1, INT x2, INT y2,
1044 INT xStart, INT yStart, INT xEnd, INT yEnd, int direction, int lines )
1046 DC *dc = get_physdev_dc( dev );
1047 struct path_physdev *physdev = get_path_physdev( dev );
1048 double angleStart, angleEnd, angleStartQuadrant, angleEndQuadrant=0.0;
1049 /* Initialize angleEndQuadrant to silence gcc's warning */
1050 double x, y;
1051 FLOAT_POINT corners[2], pointStart, pointEnd;
1052 POINT centre;
1053 BOOL start, end;
1054 INT temp;
1056 /* FIXME: Do we have to respect newStroke? */
1058 /* Check for zero height / width */
1059 /* FIXME: Only in GM_COMPATIBLE? */
1060 if(x1==x2 || y1==y2)
1061 return TRUE;
1063 /* Convert points to device coordinates */
1064 corners[0].x = x1;
1065 corners[0].y = y1;
1066 corners[1].x = x2;
1067 corners[1].y = y2;
1068 pointStart.x = xStart;
1069 pointStart.y = yStart;
1070 pointEnd.x = xEnd;
1071 pointEnd.y = yEnd;
1072 INTERNAL_LPTODP_FLOAT(dc, corners, 2);
1073 INTERNAL_LPTODP_FLOAT(dc, &pointStart, 1);
1074 INTERNAL_LPTODP_FLOAT(dc, &pointEnd, 1);
1076 /* Make sure first corner is top left and second corner is bottom right */
1077 if(corners[0].x>corners[1].x)
1079 temp=corners[0].x;
1080 corners[0].x=corners[1].x;
1081 corners[1].x=temp;
1083 if(corners[0].y>corners[1].y)
1085 temp=corners[0].y;
1086 corners[0].y=corners[1].y;
1087 corners[1].y=temp;
1090 /* Compute start and end angle */
1091 PATH_NormalizePoint(corners, &pointStart, &x, &y);
1092 angleStart=atan2(y, x);
1093 PATH_NormalizePoint(corners, &pointEnd, &x, &y);
1094 angleEnd=atan2(y, x);
1096 /* Make sure the end angle is "on the right side" of the start angle */
1097 if (direction == AD_CLOCKWISE)
1099 if(angleEnd<=angleStart)
1101 angleEnd+=2*M_PI;
1102 assert(angleEnd>=angleStart);
1105 else
1107 if(angleEnd>=angleStart)
1109 angleEnd-=2*M_PI;
1110 assert(angleEnd<=angleStart);
1114 /* In GM_COMPATIBLE, don't include bottom and right edges */
1115 if (dc->attr->graphics_mode == GM_COMPATIBLE)
1117 corners[1].x--;
1118 corners[1].y--;
1121 /* arcto: Add a PT_MOVETO only if this is the first entry in a stroke */
1122 if (lines == -1 && !start_new_stroke( physdev->path )) return FALSE;
1124 /* Add the arc to the path with one Bezier spline per quadrant that the
1125 * arc spans */
1126 start=TRUE;
1127 end=FALSE;
1130 /* Determine the start and end angles for this quadrant */
1131 if(start)
1133 angleStartQuadrant=angleStart;
1134 if (direction == AD_CLOCKWISE)
1135 angleEndQuadrant=(floor(angleStart/M_PI_2)+1.0)*M_PI_2;
1136 else
1137 angleEndQuadrant=(ceil(angleStart/M_PI_2)-1.0)*M_PI_2;
1139 else
1141 angleStartQuadrant=angleEndQuadrant;
1142 if (direction == AD_CLOCKWISE)
1143 angleEndQuadrant+=M_PI_2;
1144 else
1145 angleEndQuadrant-=M_PI_2;
1148 /* Have we reached the last part of the arc? */
1149 if((direction == AD_CLOCKWISE && angleEnd<angleEndQuadrant) ||
1150 (direction == AD_COUNTERCLOCKWISE && angleEnd>angleEndQuadrant))
1152 /* Adjust the end angle for this quadrant */
1153 angleEndQuadrant=angleEnd;
1154 end=TRUE;
1157 /* Add the Bezier spline to the path */
1158 PATH_DoArcPart(physdev->path, corners, angleStartQuadrant, angleEndQuadrant,
1159 start ? (lines==-1 ? PT_LINETO : PT_MOVETO) : 0);
1160 start=FALSE;
1161 } while(!end);
1163 /* chord: close figure. pie: add line and close figure */
1164 switch (lines)
1166 case -1:
1167 update_current_pos( physdev->path );
1168 break;
1169 case 1:
1170 close_figure( physdev->path );
1171 break;
1172 case 2:
1173 centre.x = (corners[0].x+corners[1].x)/2;
1174 centre.y = (corners[0].y+corners[1].y)/2;
1175 if(!PATH_AddEntry(physdev->path, &centre, PT_LINETO | PT_CLOSEFIGURE))
1176 return FALSE;
1177 break;
1179 return TRUE;
1183 /*************************************************************
1184 * pathdrv_AngleArc
1186 static BOOL CDECL pathdrv_AngleArc( PHYSDEV dev, INT x, INT y, DWORD radius, FLOAT eStartAngle, FLOAT eSweepAngle)
1188 int x1 = GDI_ROUND( x + cos(eStartAngle*M_PI/180) * radius );
1189 int y1 = GDI_ROUND( y - sin(eStartAngle*M_PI/180) * radius );
1190 int x2 = GDI_ROUND( x + cos((eStartAngle+eSweepAngle)*M_PI/180) * radius );
1191 int y2 = GDI_ROUND( y - sin((eStartAngle+eSweepAngle)*M_PI/180) * radius );
1192 return PATH_Arc( dev, x-radius, y-radius, x+radius, y+radius, x1, y1, x2, y2,
1193 eSweepAngle >= 0 ? AD_COUNTERCLOCKWISE : AD_CLOCKWISE, -1 );
1197 /*************************************************************
1198 * pathdrv_Arc
1200 static BOOL CDECL pathdrv_Arc( PHYSDEV dev, INT left, INT top, INT right, INT bottom,
1201 INT xstart, INT ystart, INT xend, INT yend )
1203 DC *dc = get_physdev_dc( dev );
1204 return PATH_Arc( dev, left, top, right, bottom, xstart, ystart, xend, yend,
1205 dc->attr->arc_direction, 0 );
1209 /*************************************************************
1210 * pathdrv_ArcTo
1212 static BOOL CDECL pathdrv_ArcTo( PHYSDEV dev, INT left, INT top, INT right, INT bottom,
1213 INT xstart, INT ystart, INT xend, INT yend )
1215 DC *dc = get_physdev_dc( dev );
1216 return PATH_Arc( dev, left, top, right, bottom, xstart, ystart, xend, yend,
1217 dc->attr->arc_direction, -1 );
1221 /*************************************************************
1222 * pathdrv_Chord
1224 static BOOL CDECL pathdrv_Chord( PHYSDEV dev, INT left, INT top, INT right, INT bottom,
1225 INT xstart, INT ystart, INT xend, INT yend )
1227 DC *dc = get_physdev_dc( dev );
1228 return PATH_Arc( dev, left, top, right, bottom, xstart, ystart, xend, yend,
1229 dc->attr->arc_direction, 1 );
1233 /*************************************************************
1234 * pathdrv_Pie
1236 static BOOL CDECL pathdrv_Pie( PHYSDEV dev, INT left, INT top, INT right, INT bottom,
1237 INT xstart, INT ystart, INT xend, INT yend )
1239 DC *dc = get_physdev_dc( dev );
1240 return PATH_Arc( dev, left, top, right, bottom, xstart, ystart, xend, yend,
1241 dc->attr->arc_direction, 2 );
1245 /*************************************************************
1246 * pathdrv_PolyBezierTo
1248 static BOOL CDECL pathdrv_PolyBezierTo( PHYSDEV dev, const POINT *pts, DWORD cbPoints )
1250 struct path_physdev *physdev = get_path_physdev( dev );
1251 DC *dc = get_physdev_dc( dev );
1253 return add_log_points_new_stroke( dc, physdev->path, pts, cbPoints, PT_BEZIERTO );
1257 /*************************************************************
1258 * pathdrv_PolyBezier
1260 static BOOL CDECL pathdrv_PolyBezier( PHYSDEV dev, const POINT *pts, DWORD cbPoints )
1262 struct path_physdev *physdev = get_path_physdev( dev );
1263 DC *dc = get_physdev_dc( dev );
1264 BYTE *type = add_log_points( dc, physdev->path, pts, cbPoints, PT_BEZIERTO );
1266 if (!type) return FALSE;
1267 type[0] = PT_MOVETO;
1268 return TRUE;
1272 /*************************************************************
1273 * pathdrv_PolyDraw
1275 static BOOL CDECL pathdrv_PolyDraw( PHYSDEV dev, const POINT *pts, const BYTE *types, DWORD cbPoints )
1277 struct path_physdev *physdev = get_path_physdev( dev );
1278 struct gdi_path *path = physdev->path;
1279 DC *dc = get_physdev_dc( dev );
1280 POINT orig_pos;
1281 INT i, lastmove = 0;
1283 for (i = 0; i < path->count; i++) if (path->flags[i] == PT_MOVETO) lastmove = i;
1284 orig_pos = path->pos;
1286 for(i = 0; i < cbPoints; i++)
1288 switch (types[i])
1290 case PT_MOVETO:
1291 path->newStroke = TRUE;
1292 path->pos = pts[i];
1293 lp_to_dp( dc, &path->pos, 1 );
1294 lastmove = path->count;
1295 break;
1296 case PT_LINETO:
1297 case PT_LINETO | PT_CLOSEFIGURE:
1298 if (!add_log_points_new_stroke( dc, path, &pts[i], 1, PT_LINETO )) return FALSE;
1299 break;
1300 case PT_BEZIERTO:
1301 if ((i + 2 < cbPoints) && (types[i + 1] == PT_BEZIERTO) &&
1302 (types[i + 2] & ~PT_CLOSEFIGURE) == PT_BEZIERTO)
1304 if (!add_log_points_new_stroke( dc, path, &pts[i], 3, PT_BEZIERTO )) return FALSE;
1305 i += 2;
1306 break;
1308 /* fall through */
1309 default:
1310 /* restore original position */
1311 path->pos = orig_pos;
1312 return FALSE;
1315 if (types[i] & PT_CLOSEFIGURE)
1317 close_figure( path );
1318 path->pos = path->points[lastmove];
1321 return TRUE;
1325 /*************************************************************
1326 * pathdrv_PolylineTo
1328 static BOOL CDECL pathdrv_PolylineTo( PHYSDEV dev, const POINT *pts, INT count )
1330 struct path_physdev *physdev = get_path_physdev( dev );
1331 DC *dc = get_physdev_dc( dev );
1333 if (count < 1) return FALSE;
1334 return add_log_points_new_stroke( dc, physdev->path, pts, count, PT_LINETO );
1338 /*************************************************************
1339 * pathdrv_PolyPolygon
1341 static BOOL CDECL pathdrv_PolyPolygon( PHYSDEV dev, const POINT* pts, const INT* counts, UINT polygons )
1343 struct path_physdev *physdev = get_path_physdev( dev );
1344 DC *dc = get_physdev_dc( dev );
1345 UINT poly, count;
1346 BYTE *type;
1348 if (!polygons) return FALSE;
1349 for (poly = count = 0; poly < polygons; poly++)
1351 if (counts[poly] < 2) return FALSE;
1352 count += counts[poly];
1355 type = add_log_points( dc, physdev->path, pts, count, PT_LINETO );
1356 if (!type) return FALSE;
1358 /* make the first point of each polyline a PT_MOVETO, and close the last one */
1359 for (poly = 0; poly < polygons; type += counts[poly++])
1361 type[0] = PT_MOVETO;
1362 type[counts[poly] - 1] = PT_LINETO | PT_CLOSEFIGURE;
1364 return TRUE;
1368 /*************************************************************
1369 * pathdrv_PolyPolyline
1371 static BOOL CDECL pathdrv_PolyPolyline( PHYSDEV dev, const POINT* pts, const DWORD* counts, DWORD polylines )
1373 struct path_physdev *physdev = get_path_physdev( dev );
1374 DC *dc = get_physdev_dc( dev );
1375 UINT poly, count;
1376 BYTE *type;
1378 if (!polylines) return FALSE;
1379 for (poly = count = 0; poly < polylines; poly++)
1381 if (counts[poly] < 2) return FALSE;
1382 count += counts[poly];
1385 type = add_log_points( dc, physdev->path, pts, count, PT_LINETO );
1386 if (!type) return FALSE;
1388 /* make the first point of each polyline a PT_MOVETO */
1389 for (poly = 0; poly < polylines; type += counts[poly++]) *type = PT_MOVETO;
1390 return TRUE;
1394 /**********************************************************************
1395 * PATH_BezierTo
1397 * internally used by PATH_add_outline
1399 static void PATH_BezierTo(struct gdi_path *pPath, POINT *lppt, INT n)
1401 if (n < 2) return;
1403 if (n == 2)
1405 PATH_AddEntry(pPath, &lppt[1], PT_LINETO);
1407 else if (n == 3)
1409 add_points( pPath, lppt, 3, PT_BEZIERTO );
1411 else
1413 POINT pt[3];
1414 INT i = 0;
1416 pt[2] = lppt[0];
1417 n--;
1419 while (n > 2)
1421 pt[0] = pt[2];
1422 pt[1] = lppt[i+1];
1423 pt[2].x = (lppt[i+2].x + lppt[i+1].x) / 2;
1424 pt[2].y = (lppt[i+2].y + lppt[i+1].y) / 2;
1425 add_points( pPath, pt, 3, PT_BEZIERTO );
1426 n--;
1427 i++;
1430 pt[0] = pt[2];
1431 pt[1] = lppt[i+1];
1432 pt[2] = lppt[i+2];
1433 add_points( pPath, pt, 3, PT_BEZIERTO );
1437 static BOOL PATH_add_outline(struct path_physdev *physdev, INT x, INT y,
1438 TTPOLYGONHEADER *header, DWORD size)
1440 TTPOLYGONHEADER *start;
1441 POINT pt;
1443 start = header;
1445 while ((char *)header < (char *)start + size)
1447 TTPOLYCURVE *curve;
1449 if (header->dwType != TT_POLYGON_TYPE)
1451 FIXME("Unknown header type %d\n", (int)header->dwType);
1452 return FALSE;
1455 pt.x = x + int_from_fixed(header->pfxStart.x);
1456 pt.y = y - int_from_fixed(header->pfxStart.y);
1457 PATH_AddEntry(physdev->path, &pt, PT_MOVETO);
1459 curve = (TTPOLYCURVE *)(header + 1);
1461 while ((char *)curve < (char *)header + header->cb)
1463 /*TRACE("curve->wType %d\n", curve->wType);*/
1465 switch(curve->wType)
1467 case TT_PRIM_LINE:
1469 WORD i;
1471 for (i = 0; i < curve->cpfx; i++)
1473 pt.x = x + int_from_fixed(curve->apfx[i].x);
1474 pt.y = y - int_from_fixed(curve->apfx[i].y);
1475 PATH_AddEntry(physdev->path, &pt, PT_LINETO);
1477 break;
1480 case TT_PRIM_QSPLINE:
1481 case TT_PRIM_CSPLINE:
1483 WORD i;
1484 POINTFX ptfx;
1485 POINT *pts = malloc( (curve->cpfx + 1) * sizeof(POINT) );
1487 if (!pts) return FALSE;
1489 ptfx = *(POINTFX *)((char *)curve - sizeof(POINTFX));
1491 pts[0].x = x + int_from_fixed(ptfx.x);
1492 pts[0].y = y - int_from_fixed(ptfx.y);
1494 for(i = 0; i < curve->cpfx; i++)
1496 pts[i + 1].x = x + int_from_fixed(curve->apfx[i].x);
1497 pts[i + 1].y = y - int_from_fixed(curve->apfx[i].y);
1500 PATH_BezierTo(physdev->path, pts, curve->cpfx + 1);
1502 free( pts );
1503 break;
1506 default:
1507 FIXME("Unknown curve type %04x\n", curve->wType);
1508 return FALSE;
1511 curve = (TTPOLYCURVE *)&curve->apfx[curve->cpfx];
1514 header = (TTPOLYGONHEADER *)((char *)header + header->cb);
1517 close_figure( physdev->path );
1518 return TRUE;
1521 /*************************************************************
1522 * pathdrv_ExtTextOut
1524 static BOOL CDECL pathdrv_ExtTextOut( PHYSDEV dev, INT x, INT y, UINT flags, const RECT *lprc,
1525 LPCWSTR str, UINT count, const INT *dx )
1527 struct path_physdev *physdev = get_path_physdev( dev );
1528 unsigned int idx, ggo_flags = GGO_NATIVE;
1529 POINT offset = {0, 0};
1531 if (!count) return TRUE;
1532 if (flags & ETO_GLYPH_INDEX) ggo_flags |= GGO_GLYPH_INDEX;
1534 for (idx = 0; idx < count; idx++)
1536 static const MAT2 identity = { {0,1},{0,0},{0,0},{0,1} };
1537 GLYPHMETRICS gm;
1538 DWORD dwSize;
1539 void *outline;
1541 dwSize = NtGdiGetGlyphOutline( dev->hdc, str[idx], ggo_flags, &gm, 0, NULL, &identity, FALSE );
1542 if (dwSize == GDI_ERROR) continue;
1544 /* add outline only if char is printable */
1545 if(dwSize)
1547 outline = malloc( dwSize );
1548 if (!outline) return FALSE;
1550 NtGdiGetGlyphOutline( dev->hdc, str[idx], ggo_flags, &gm, dwSize, outline, &identity, FALSE );
1551 PATH_add_outline(physdev, x + offset.x, y + offset.y, outline, dwSize);
1553 free( outline );
1556 if (dx)
1558 if(flags & ETO_PDY)
1560 offset.x += dx[idx * 2];
1561 offset.y += dx[idx * 2 + 1];
1563 else
1564 offset.x += dx[idx];
1566 else
1568 offset.x += gm.gmCellIncX;
1569 offset.y += gm.gmCellIncY;
1572 return TRUE;
1576 /*************************************************************
1577 * pathdrv_CloseFigure
1579 static BOOL CDECL pathdrv_CloseFigure( PHYSDEV dev )
1581 struct path_physdev *physdev = get_path_physdev( dev );
1583 /* Set PT_CLOSEFIGURE on the last entry and start a new stroke */
1584 /* It is not necessary to draw a line, PT_CLOSEFIGURE is a virtual closing line itself */
1585 if (physdev->path->count) close_figure( physdev->path );
1586 return TRUE;
1590 /*******************************************************************
1591 * NtGdiFlattenPath (win32u.@)
1593 BOOL WINAPI NtGdiFlattenPath( HDC hdc )
1595 struct gdi_path *path;
1596 BOOL ret = FALSE;
1597 DC *dc;
1599 if (!(dc = get_dc_ptr( hdc ))) return FALSE;
1601 if (!dc->path) RtlSetLastWin32Error( ERROR_CAN_NOT_COMPLETE );
1602 else if ((path = PATH_FlattenPath( dc->path )))
1604 free_gdi_path( dc->path );
1605 dc->path = path;
1606 ret = TRUE;
1609 release_dc_ptr( dc );
1610 return ret;
1614 #define round(x) ((int)((x)>0?(x)+0.5:(x)-0.5))
1616 static struct gdi_path *PATH_WidenPath(DC *dc)
1618 INT i, j, numStrokes, penWidth, penWidthIn, penWidthOut, size, penStyle;
1619 struct gdi_path *flat_path, *pNewPath, **pStrokes = NULL, **new_strokes, *pUpPath, *pDownPath;
1620 EXTLOGPEN *elp;
1621 BYTE *type;
1622 DWORD obj_type, joint, endcap, penType;
1624 size = NtGdiExtGetObjectW( dc->hPen, 0, NULL );
1625 if (!size) {
1626 RtlSetLastWin32Error(ERROR_CAN_NOT_COMPLETE);
1627 return NULL;
1630 elp = malloc( size );
1631 NtGdiExtGetObjectW( dc->hPen, size, elp );
1633 obj_type = get_gdi_object_type(dc->hPen);
1634 switch (obj_type)
1636 case NTGDI_OBJ_PEN:
1637 penStyle = ((LOGPEN*)elp)->lopnStyle;
1638 break;
1639 case NTGDI_OBJ_EXTPEN:
1640 penStyle = elp->elpPenStyle;
1641 break;
1642 default:
1643 RtlSetLastWin32Error(ERROR_CAN_NOT_COMPLETE);
1644 free( elp );
1645 return NULL;
1648 penWidth = elp->elpWidth;
1649 free( elp );
1651 endcap = (PS_ENDCAP_MASK & penStyle);
1652 joint = (PS_JOIN_MASK & penStyle);
1653 penType = (PS_TYPE_MASK & penStyle);
1655 /* The function cannot apply to cosmetic pens */
1656 if(obj_type == OBJ_EXTPEN && penType == PS_COSMETIC) {
1657 RtlSetLastWin32Error(ERROR_CAN_NOT_COMPLETE);
1658 return NULL;
1661 if (!(flat_path = PATH_FlattenPath( dc->path ))) return NULL;
1663 penWidthIn = penWidth / 2;
1664 penWidthOut = penWidth / 2;
1665 if(penWidthIn + penWidthOut < penWidth)
1666 penWidthOut++;
1668 numStrokes = 0;
1670 for(i = 0, j = 0; i < flat_path->count; i++, j++) {
1671 POINT point;
1672 if((i == 0 || (flat_path->flags[i-1] & PT_CLOSEFIGURE)) &&
1673 (flat_path->flags[i] != PT_MOVETO)) {
1674 ERR("Expected PT_MOVETO %s, got path flag %c\n",
1675 i == 0 ? "as first point" : "after PT_CLOSEFIGURE",
1676 flat_path->flags[i]);
1677 free_gdi_path( flat_path );
1678 return NULL;
1680 switch(flat_path->flags[i]) {
1681 case PT_MOVETO:
1682 numStrokes++;
1683 j = 0;
1684 new_strokes = realloc( pStrokes, numStrokes * sizeof(*pStrokes) );
1685 if (!new_strokes)
1687 free_gdi_path(flat_path);
1688 free(pStrokes);
1689 return NULL;
1691 pStrokes = new_strokes;
1692 pStrokes[numStrokes - 1] = alloc_gdi_path(0);
1693 /* fall through */
1694 case PT_LINETO:
1695 case (PT_LINETO | PT_CLOSEFIGURE):
1696 point.x = flat_path->points[i].x;
1697 point.y = flat_path->points[i].y;
1698 PATH_AddEntry(pStrokes[numStrokes - 1], &point, flat_path->flags[i]);
1699 break;
1700 case PT_BEZIERTO:
1701 /* should never happen because of the FlattenPath call */
1702 ERR("Should never happen\n");
1703 break;
1704 default:
1705 ERR("Got path flag %c\n", flat_path->flags[i]);
1706 for(i = 0; i < numStrokes; i++) free_gdi_path(pStrokes[i]);
1707 free( pStrokes );
1708 free_gdi_path(flat_path);
1709 return NULL;
1713 pNewPath = alloc_gdi_path( flat_path->count );
1715 for(i = 0; i < numStrokes; i++) {
1716 pUpPath = alloc_gdi_path( pStrokes[i]->count );
1717 pDownPath = alloc_gdi_path( pStrokes[i]->count );
1719 for(j = 0; j < pStrokes[i]->count; j++) {
1720 /* Beginning or end of the path if not closed */
1721 if((!(pStrokes[i]->flags[pStrokes[i]->count - 1] & PT_CLOSEFIGURE)) && (j == 0 || j == pStrokes[i]->count - 1) ) {
1722 /* Compute segment angle */
1723 double xo, yo, xa, ya, theta;
1724 POINT pt;
1725 FLOAT_POINT corners[2];
1726 if(j == 0) {
1727 xo = pStrokes[i]->points[j].x;
1728 yo = pStrokes[i]->points[j].y;
1729 xa = pStrokes[i]->points[1].x;
1730 ya = pStrokes[i]->points[1].y;
1732 else {
1733 xa = pStrokes[i]->points[j - 1].x;
1734 ya = pStrokes[i]->points[j - 1].y;
1735 xo = pStrokes[i]->points[j].x;
1736 yo = pStrokes[i]->points[j].y;
1738 theta = atan2( ya - yo, xa - xo );
1739 switch(endcap) {
1740 case PS_ENDCAP_SQUARE :
1741 pt.x = xo + round(sqrt(2) * penWidthOut * cos(M_PI_4 + theta));
1742 pt.y = yo + round(sqrt(2) * penWidthOut * sin(M_PI_4 + theta));
1743 PATH_AddEntry(pUpPath, &pt, (j == 0 ? PT_MOVETO : PT_LINETO) );
1744 pt.x = xo + round(sqrt(2) * penWidthIn * cos(- M_PI_4 + theta));
1745 pt.y = yo + round(sqrt(2) * penWidthIn * sin(- M_PI_4 + theta));
1746 PATH_AddEntry(pUpPath, &pt, PT_LINETO);
1747 break;
1748 case PS_ENDCAP_FLAT :
1749 pt.x = xo + round( penWidthOut * cos(theta + M_PI_2) );
1750 pt.y = yo + round( penWidthOut * sin(theta + M_PI_2) );
1751 PATH_AddEntry(pUpPath, &pt, (j == 0 ? PT_MOVETO : PT_LINETO));
1752 pt.x = xo - round( penWidthIn * cos(theta + M_PI_2) );
1753 pt.y = yo - round( penWidthIn * sin(theta + M_PI_2) );
1754 PATH_AddEntry(pUpPath, &pt, PT_LINETO);
1755 break;
1756 case PS_ENDCAP_ROUND :
1757 default :
1758 corners[0].x = xo - penWidthIn;
1759 corners[0].y = yo - penWidthIn;
1760 corners[1].x = xo + penWidthOut;
1761 corners[1].y = yo + penWidthOut;
1762 PATH_DoArcPart(pUpPath ,corners, theta + M_PI_2 , theta + 3 * M_PI_4, (j == 0 ? PT_MOVETO : 0));
1763 PATH_DoArcPart(pUpPath ,corners, theta + 3 * M_PI_4 , theta + M_PI, 0);
1764 PATH_DoArcPart(pUpPath ,corners, theta + M_PI, theta + 5 * M_PI_4, 0);
1765 PATH_DoArcPart(pUpPath ,corners, theta + 5 * M_PI_4 , theta + 3 * M_PI_2, 0);
1766 break;
1769 /* Corpse of the path */
1770 else {
1771 /* Compute angle */
1772 INT previous, next;
1773 double xa, ya, xb, yb, xo, yo;
1774 double alpha, theta, miterWidth;
1775 DWORD _joint = joint;
1776 POINT pt;
1777 struct gdi_path *pInsidePath, *pOutsidePath;
1778 if(j > 0 && j < pStrokes[i]->count - 1) {
1779 previous = j - 1;
1780 next = j + 1;
1782 else if (j == 0) {
1783 previous = pStrokes[i]->count - 1;
1784 next = j + 1;
1786 else {
1787 previous = j - 1;
1788 next = 0;
1790 xo = pStrokes[i]->points[j].x;
1791 yo = pStrokes[i]->points[j].y;
1792 xa = pStrokes[i]->points[previous].x;
1793 ya = pStrokes[i]->points[previous].y;
1794 xb = pStrokes[i]->points[next].x;
1795 yb = pStrokes[i]->points[next].y;
1796 theta = atan2( yo - ya, xo - xa );
1797 alpha = atan2( yb - yo, xb - xo ) - theta;
1798 if (alpha > 0) alpha -= M_PI;
1799 else alpha += M_PI;
1800 if(_joint == PS_JOIN_MITER && dc->attr->miter_limit < fabs(1 / sin(alpha/2))) {
1801 _joint = PS_JOIN_BEVEL;
1803 if(alpha > 0) {
1804 pInsidePath = pUpPath;
1805 pOutsidePath = pDownPath;
1807 else if(alpha < 0) {
1808 pInsidePath = pDownPath;
1809 pOutsidePath = pUpPath;
1811 else {
1812 continue;
1814 /* Inside angle points */
1815 if(alpha > 0) {
1816 pt.x = xo - round( penWidthIn * cos(theta + M_PI_2) );
1817 pt.y = yo - round( penWidthIn * sin(theta + M_PI_2) );
1819 else {
1820 pt.x = xo + round( penWidthIn * cos(theta + M_PI_2) );
1821 pt.y = yo + round( penWidthIn * sin(theta + M_PI_2) );
1823 PATH_AddEntry(pInsidePath, &pt, PT_LINETO);
1824 if(alpha > 0) {
1825 pt.x = xo + round( penWidthIn * cos(M_PI_2 + alpha + theta) );
1826 pt.y = yo + round( penWidthIn * sin(M_PI_2 + alpha + theta) );
1828 else {
1829 pt.x = xo - round( penWidthIn * cos(M_PI_2 + alpha + theta) );
1830 pt.y = yo - round( penWidthIn * sin(M_PI_2 + alpha + theta) );
1832 PATH_AddEntry(pInsidePath, &pt, PT_LINETO);
1833 /* Outside angle point */
1834 switch(_joint) {
1835 case PS_JOIN_MITER :
1836 miterWidth = fabs(penWidthOut / cos(M_PI_2 - fabs(alpha) / 2));
1837 pt.x = xo + round( miterWidth * cos(theta + alpha / 2) );
1838 pt.y = yo + round( miterWidth * sin(theta + alpha / 2) );
1839 PATH_AddEntry(pOutsidePath, &pt, PT_LINETO);
1840 break;
1841 case PS_JOIN_BEVEL :
1842 if(alpha > 0) {
1843 pt.x = xo + round( penWidthOut * cos(theta + M_PI_2) );
1844 pt.y = yo + round( penWidthOut * sin(theta + M_PI_2) );
1846 else {
1847 pt.x = xo - round( penWidthOut * cos(theta + M_PI_2) );
1848 pt.y = yo - round( penWidthOut * sin(theta + M_PI_2) );
1850 PATH_AddEntry(pOutsidePath, &pt, PT_LINETO);
1851 if(alpha > 0) {
1852 pt.x = xo - round( penWidthOut * cos(M_PI_2 + alpha + theta) );
1853 pt.y = yo - round( penWidthOut * sin(M_PI_2 + alpha + theta) );
1855 else {
1856 pt.x = xo + round( penWidthOut * cos(M_PI_2 + alpha + theta) );
1857 pt.y = yo + round( penWidthOut * sin(M_PI_2 + alpha + theta) );
1859 PATH_AddEntry(pOutsidePath, &pt, PT_LINETO);
1860 break;
1861 case PS_JOIN_ROUND :
1862 default :
1863 if(alpha > 0) {
1864 pt.x = xo + round( penWidthOut * cos(theta + M_PI_2) );
1865 pt.y = yo + round( penWidthOut * sin(theta + M_PI_2) );
1867 else {
1868 pt.x = xo - round( penWidthOut * cos(theta + M_PI_2) );
1869 pt.y = yo - round( penWidthOut * sin(theta + M_PI_2) );
1871 PATH_AddEntry(pOutsidePath, &pt, PT_BEZIERTO);
1872 pt.x = xo + round( penWidthOut * cos(theta + alpha / 2) );
1873 pt.y = yo + round( penWidthOut * sin(theta + alpha / 2) );
1874 PATH_AddEntry(pOutsidePath, &pt, PT_BEZIERTO);
1875 if(alpha > 0) {
1876 pt.x = xo - round( penWidthOut * cos(M_PI_2 + alpha + theta) );
1877 pt.y = yo - round( penWidthOut * sin(M_PI_2 + alpha + theta) );
1879 else {
1880 pt.x = xo + round( penWidthOut * cos(M_PI_2 + alpha + theta) );
1881 pt.y = yo + round( penWidthOut * sin(M_PI_2 + alpha + theta) );
1883 PATH_AddEntry(pOutsidePath, &pt, PT_BEZIERTO);
1884 break;
1888 type = add_points( pNewPath, pUpPath->points, pUpPath->count, PT_LINETO );
1889 type[0] = PT_MOVETO;
1890 reverse_points( pDownPath->points, pDownPath->count );
1891 type = add_points( pNewPath, pDownPath->points, pDownPath->count, PT_LINETO );
1892 if (pStrokes[i]->flags[pStrokes[i]->count - 1] & PT_CLOSEFIGURE) type[0] = PT_MOVETO;
1894 free_gdi_path( pStrokes[i] );
1895 free_gdi_path( pUpPath );
1896 free_gdi_path( pDownPath );
1898 free( pStrokes );
1899 free_gdi_path( flat_path );
1900 return pNewPath;
1904 /*******************************************************************
1905 * NtGdiStrokeAndFillPath (win32u.@)
1907 BOOL WINAPI NtGdiStrokeAndFillPath( HDC hdc )
1909 BOOL ret = FALSE;
1910 DC *dc = get_dc_ptr( hdc );
1912 if (dc)
1914 PHYSDEV physdev = GET_DC_PHYSDEV( dc, pStrokeAndFillPath );
1915 ret = physdev->funcs->pStrokeAndFillPath( physdev );
1916 release_dc_ptr( dc );
1918 return ret;
1922 /*******************************************************************
1923 * NtGdiStrokePath (win32u.@)
1925 BOOL WINAPI NtGdiStrokePath( HDC hdc )
1927 BOOL ret = FALSE;
1928 DC *dc = get_dc_ptr( hdc );
1930 if (dc)
1932 PHYSDEV physdev = GET_DC_PHYSDEV( dc, pStrokePath );
1933 ret = physdev->funcs->pStrokePath( physdev );
1934 release_dc_ptr( dc );
1936 return ret;
1940 /*******************************************************************
1941 * NtGdiWidenPath (win32u.@)
1943 BOOL WINAPI NtGdiWidenPath( HDC hdc )
1945 struct gdi_path *path;
1946 BOOL ret = FALSE;
1947 DC *dc;
1949 if (!(dc = get_dc_ptr( hdc ))) return FALSE;
1951 if (!dc->path) RtlSetLastWin32Error( ERROR_CAN_NOT_COMPLETE );
1952 else if ((path = PATH_WidenPath( dc )))
1954 free_gdi_path( dc->path );
1955 dc->path = path;
1956 ret = TRUE;
1959 release_dc_ptr( dc );
1960 return ret;
1964 /***********************************************************************
1965 * null driver fallback implementations
1968 BOOL CDECL nulldrv_BeginPath( PHYSDEV dev )
1970 DC *dc = get_nulldrv_dc( dev );
1971 struct path_physdev *physdev;
1972 struct gdi_path *path = alloc_gdi_path(0);
1974 if (!path) return FALSE;
1975 if (!path_driver.pCreateDC( &dc->physDev, NULL, NULL, NULL ))
1977 free_gdi_path( path );
1978 return FALSE;
1980 physdev = get_path_physdev( find_dc_driver( dc, &path_driver ));
1981 physdev->path = path;
1982 path->pos = dc->attr->cur_pos;
1983 lp_to_dp( dc, &path->pos, 1 );
1984 if (dc->path) free_gdi_path( dc->path );
1985 dc->path = NULL;
1986 return TRUE;
1989 BOOL CDECL nulldrv_EndPath( PHYSDEV dev )
1991 RtlSetLastWin32Error( ERROR_CAN_NOT_COMPLETE );
1992 return FALSE;
1995 BOOL CDECL nulldrv_AbortPath( PHYSDEV dev )
1997 DC *dc = get_nulldrv_dc( dev );
1999 if (dc->path) free_gdi_path( dc->path );
2000 dc->path = NULL;
2001 return TRUE;
2004 BOOL CDECL nulldrv_CloseFigure( PHYSDEV dev )
2006 RtlSetLastWin32Error( ERROR_CAN_NOT_COMPLETE );
2007 return FALSE;
2010 BOOL CDECL nulldrv_FillPath( PHYSDEV dev )
2012 if (NtGdiGetPath( dev->hdc, NULL, NULL, 0 ) == -1) return FALSE;
2013 NtGdiAbortPath( dev->hdc );
2014 return TRUE;
2017 BOOL CDECL nulldrv_StrokeAndFillPath( PHYSDEV dev )
2019 if (NtGdiGetPath( dev->hdc, NULL, NULL, 0 ) == -1) return FALSE;
2020 NtGdiAbortPath( dev->hdc );
2021 return TRUE;
2024 BOOL CDECL nulldrv_StrokePath( PHYSDEV dev )
2026 if (NtGdiGetPath( dev->hdc, NULL, NULL, 0 ) == -1) return FALSE;
2027 NtGdiAbortPath( dev->hdc );
2028 return TRUE;
2031 const struct gdi_dc_funcs path_driver =
2033 NULL, /* pAbortDoc */
2034 pathdrv_AbortPath, /* pAbortPath */
2035 NULL, /* pAlphaBlend */
2036 pathdrv_AngleArc, /* pAngleArc */
2037 pathdrv_Arc, /* pArc */
2038 pathdrv_ArcTo, /* pArcTo */
2039 pathdrv_BeginPath, /* pBeginPath */
2040 NULL, /* pBlendImage */
2041 pathdrv_Chord, /* pChord */
2042 pathdrv_CloseFigure, /* pCloseFigure */
2043 NULL, /* pCreateCompatibleDC */
2044 pathdrv_CreateDC, /* pCreateDC */
2045 pathdrv_DeleteDC, /* pDeleteDC */
2046 NULL, /* pDeleteObject */
2047 pathdrv_Ellipse, /* pEllipse */
2048 NULL, /* pEndDoc */
2049 NULL, /* pEndPage */
2050 pathdrv_EndPath, /* pEndPath */
2051 NULL, /* pEnumFonts */
2052 NULL, /* pExtEscape */
2053 NULL, /* pExtFloodFill */
2054 pathdrv_ExtTextOut, /* pExtTextOut */
2055 NULL, /* pFillPath */
2056 NULL, /* pFillRgn */
2057 NULL, /* pFontIsLinked */
2058 NULL, /* pFrameRgn */
2059 NULL, /* pGetBoundsRect */
2060 NULL, /* pGetCharABCWidths */
2061 NULL, /* pGetCharABCWidthsI */
2062 NULL, /* pGetCharWidth */
2063 NULL, /* pGetCharWidthInfo */
2064 NULL, /* pGetDeviceCaps */
2065 NULL, /* pGetDeviceGammaRamp */
2066 NULL, /* pGetFontData */
2067 NULL, /* pGetFontRealizationInfo */
2068 NULL, /* pGetFontUnicodeRanges */
2069 NULL, /* pGetGlyphIndices */
2070 NULL, /* pGetGlyphOutline */
2071 NULL, /* pGetICMProfile */
2072 NULL, /* pGetImage */
2073 NULL, /* pGetKerningPairs */
2074 NULL, /* pGetNearestColor */
2075 NULL, /* pGetOutlineTextMetrics */
2076 NULL, /* pGetPixel */
2077 NULL, /* pGetSystemPaletteEntries */
2078 NULL, /* pGetTextCharsetInfo */
2079 NULL, /* pGetTextExtentExPoint */
2080 NULL, /* pGetTextExtentExPointI */
2081 NULL, /* pGetTextFace */
2082 NULL, /* pGetTextMetrics */
2083 NULL, /* pGradientFill */
2084 NULL, /* pInvertRgn */
2085 pathdrv_LineTo, /* pLineTo */
2086 pathdrv_MoveTo, /* pMoveTo */
2087 NULL, /* pPaintRgn */
2088 NULL, /* pPatBlt */
2089 pathdrv_Pie, /* pPie */
2090 pathdrv_PolyBezier, /* pPolyBezier */
2091 pathdrv_PolyBezierTo, /* pPolyBezierTo */
2092 pathdrv_PolyDraw, /* pPolyDraw */
2093 pathdrv_PolyPolygon, /* pPolyPolygon */
2094 pathdrv_PolyPolyline, /* pPolyPolyline */
2095 pathdrv_PolylineTo, /* pPolylineTo */
2096 NULL, /* pPutImage */
2097 NULL, /* pRealizeDefaultPalette */
2098 NULL, /* pRealizePalette */
2099 pathdrv_Rectangle, /* pRectangle */
2100 NULL, /* pResetDC */
2101 pathdrv_RoundRect, /* pRoundRect */
2102 NULL, /* pSelectBitmap */
2103 NULL, /* pSelectBrush */
2104 NULL, /* pSelectFont */
2105 NULL, /* pSelectPen */
2106 NULL, /* pSetBkColor */
2107 NULL, /* pSetBoundsRect */
2108 NULL, /* pSetDCBrushColor */
2109 NULL, /* pSetDCPenColor */
2110 NULL, /* pSetDIBitsToDevice */
2111 NULL, /* pSetDeviceClipping */
2112 NULL, /* pSetDeviceGammaRamp */
2113 NULL, /* pSetPixel */
2114 NULL, /* pSetTextColor */
2115 NULL, /* pStartDoc */
2116 NULL, /* pStartPage */
2117 NULL, /* pStretchBlt */
2118 NULL, /* pStretchDIBits */
2119 NULL, /* pStrokeAndFillPath */
2120 NULL, /* pStrokePath */
2121 NULL, /* pUnrealizePalette */
2122 NULL, /* pD3DKMTCheckVidPnExclusiveOwnership */
2123 NULL, /* pD3DKMTCloseAdapter */
2124 NULL, /* pD3DKMTOpenAdapterFromLuid */
2125 NULL, /* pD3DKMTQueryVideoMemoryInfo */
2126 NULL, /* pD3DKMTSetVidPnSourceOwner */
2127 GDI_PRIORITY_PATH_DRV /* priority */