2 * MACDRV Cocoa application class
4 * Copyright 2011, 2012, 2013 Ken Thomases for CodeWeavers Inc.
6 * This library is free software; you can redistribute it and/or
7 * modify it under the terms of the GNU Lesser General Public
8 * License as published by the Free Software Foundation; either
9 * version 2.1 of the License, or (at your option) any later version.
11 * This library is distributed in the hope that it will be useful,
12 * but WITHOUT ANY WARRANTY; without even the implied warranty of
13 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
14 * Lesser General Public License for more details.
16 * You should have received a copy of the GNU Lesser General Public
17 * License along with this library; if not, write to the Free Software
18 * Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301, USA
21 #import <Carbon/Carbon.h>
25 #import "cocoa_event.h"
26 #import "cocoa_window.h"
29 static NSString* const WineAppWaitQueryResponseMode = @"WineAppWaitQueryResponseMode";
35 @implementation WineApplication
37 @synthesize wineController;
39 - (void) sendEvent:(NSEvent*)anEvent
41 if (![wineController handleEvent:anEvent])
43 [super sendEvent:anEvent];
44 [wineController didSendEvent:anEvent];
48 - (void) setWineController:(WineApplicationController*)newController
50 wineController = newController;
51 [self setDelegate:wineController];
57 @interface WarpRecord : NSObject
59 CGEventTimestamp timeBefore, timeAfter;
63 @property (nonatomic) CGEventTimestamp timeBefore;
64 @property (nonatomic) CGEventTimestamp timeAfter;
65 @property (nonatomic) CGPoint from;
66 @property (nonatomic) CGPoint to;
71 @implementation WarpRecord
73 @synthesize timeBefore, timeAfter, from, to;
78 @interface WineApplicationController ()
80 @property (readwrite, copy, nonatomic) NSEvent* lastFlagsChanged;
81 @property (copy, nonatomic) NSArray* cursorFrames;
82 @property (retain, nonatomic) NSTimer* cursorTimer;
83 @property (retain, nonatomic) NSCursor* cursor;
84 @property (retain, nonatomic) NSImage* applicationIcon;
85 @property (readonly, nonatomic) BOOL inputSourceIsInputMethod;
86 @property (retain, nonatomic) WineWindow* mouseCaptureWindow;
88 - (void) setupObservations;
89 - (void) applicationDidBecomeActive:(NSNotification *)notification;
91 static void PerformRequest(void *info);
96 @implementation WineApplicationController
98 @synthesize keyboardType, lastFlagsChanged;
99 @synthesize applicationIcon;
100 @synthesize cursorFrames, cursorTimer, cursor;
101 @synthesize mouseCaptureWindow;
103 @synthesize clippingCursor;
107 if (self == [WineApplicationController class])
109 NSDictionary* defaults = [NSDictionary dictionaryWithObjectsAndKeys:
110 @"", @"NSQuotedKeystrokeBinding",
111 @"", @"NSRepeatCountBinding",
112 [NSNumber numberWithBool:NO], @"ApplePressAndHoldEnabled",
114 [[NSUserDefaults standardUserDefaults] registerDefaults:defaults];
118 + (WineApplicationController*) sharedController
120 static WineApplicationController* sharedController;
121 static dispatch_once_t once;
123 dispatch_once(&once, ^{
124 sharedController = [[self alloc] init];
127 return sharedController;
135 CFRunLoopSourceContext context = { 0 };
136 context.perform = PerformRequest;
137 requestSource = CFRunLoopSourceCreate(NULL, 0, &context);
143 CFRunLoopAddSource(CFRunLoopGetMain(), requestSource, kCFRunLoopCommonModes);
144 CFRunLoopAddSource(CFRunLoopGetMain(), requestSource, (CFStringRef)WineAppWaitQueryResponseMode);
146 requests = [[NSMutableArray alloc] init];
147 requestsManipQueue = dispatch_queue_create("org.winehq.WineAppRequestManipQueue", NULL);
149 eventQueues = [[NSMutableArray alloc] init];
150 eventQueuesLock = [[NSLock alloc] init];
152 keyWindows = [[NSMutableArray alloc] init];
154 originalDisplayModes = [[NSMutableDictionary alloc] init];
155 latentDisplayModes = [[NSMutableDictionary alloc] init];
157 warpRecords = [[NSMutableArray alloc] init];
159 windowsBeingDragged = [[NSMutableSet alloc] init];
161 if (!requests || !requestsManipQueue || !eventQueues || !eventQueuesLock ||
162 !keyWindows || !originalDisplayModes || !latentDisplayModes || !warpRecords)
168 [self setupObservations];
170 keyboardType = LMGetKbdType();
172 if ([NSApp isActive])
173 [self applicationDidBecomeActive:nil];
180 [windowsBeingDragged release];
182 [screenFrameCGRects release];
183 [applicationIcon release];
184 [warpRecords release];
185 [cursorTimer release];
186 [cursorFrames release];
187 [latentDisplayModes release];
188 [originalDisplayModes release];
189 [keyWindows release];
190 [eventQueues release];
191 [eventQueuesLock release];
192 if (requestsManipQueue) dispatch_release(requestsManipQueue);
196 CFRunLoopSourceInvalidate(requestSource);
197 CFRelease(requestSource);
202 - (void) transformProcessToForeground
204 if ([NSApp activationPolicy] != NSApplicationActivationPolicyRegular)
208 NSString* bundleName;
212 [NSApp setActivationPolicy:NSApplicationActivationPolicyRegular];
213 [NSApp activateIgnoringOtherApps:YES];
215 mainMenu = [[[NSMenu alloc] init] autorelease];
218 submenu = [[[NSMenu alloc] initWithTitle:@"Wine"] autorelease];
219 bundleName = [[NSBundle mainBundle] objectForInfoDictionaryKey:(NSString*)kCFBundleNameKey];
221 if ([bundleName length])
222 title = [NSString stringWithFormat:@"Hide %@", bundleName];
225 item = [submenu addItemWithTitle:title action:@selector(hide:) keyEquivalent:@""];
227 item = [submenu addItemWithTitle:@"Hide Others" action:@selector(hideOtherApplications:) keyEquivalent:@"h"];
228 [item setKeyEquivalentModifierMask:NSCommandKeyMask | NSAlternateKeyMask];
230 item = [submenu addItemWithTitle:@"Show All" action:@selector(unhideAllApplications:) keyEquivalent:@""];
232 [submenu addItem:[NSMenuItem separatorItem]];
234 if ([bundleName length])
235 title = [NSString stringWithFormat:@"Quit %@", bundleName];
238 item = [submenu addItemWithTitle:title action:@selector(terminate:) keyEquivalent:@"q"];
239 [item setKeyEquivalentModifierMask:NSCommandKeyMask | NSAlternateKeyMask];
240 item = [[[NSMenuItem alloc] init] autorelease];
241 [item setTitle:@"Wine"];
242 [item setSubmenu:submenu];
243 [mainMenu addItem:item];
246 submenu = [[[NSMenu alloc] initWithTitle:@"Window"] autorelease];
247 [submenu addItemWithTitle:@"Minimize" action:@selector(performMiniaturize:) keyEquivalent:@""];
248 [submenu addItemWithTitle:@"Zoom" action:@selector(performZoom:) keyEquivalent:@""];
249 if ([NSWindow instancesRespondToSelector:@selector(toggleFullScreen:)])
251 item = [submenu addItemWithTitle:@"Enter Full Screen" action:@selector(toggleFullScreen:) keyEquivalent:@"f"];
252 [item setKeyEquivalentModifierMask:NSCommandKeyMask | NSAlternateKeyMask | NSControlKeyMask];
254 [submenu addItem:[NSMenuItem separatorItem]];
255 [submenu addItemWithTitle:@"Bring All to Front" action:@selector(arrangeInFront:) keyEquivalent:@""];
256 item = [[[NSMenuItem alloc] init] autorelease];
257 [item setTitle:@"Window"];
258 [item setSubmenu:submenu];
259 [mainMenu addItem:item];
261 [NSApp setMainMenu:mainMenu];
262 [NSApp setWindowsMenu:submenu];
264 [NSApp setApplicationIconImage:self.applicationIcon];
268 - (BOOL) waitUntilQueryDone:(int*)done timeout:(NSDate*)timeout processEvents:(BOOL)processEvents
270 PerformRequest(NULL);
276 NSAutoreleasePool* pool = [[NSAutoreleasePool alloc] init];
277 NSEvent* event = [NSApp nextEventMatchingMask:NSAnyEventMask
279 inMode:NSDefaultRunLoopMode
282 [NSApp sendEvent:event];
286 [[NSRunLoop currentRunLoop] runMode:WineAppWaitQueryResponseMode beforeDate:timeout];
287 } while (!*done && [timeout timeIntervalSinceNow] >= 0);
292 - (BOOL) registerEventQueue:(WineEventQueue*)queue
294 [eventQueuesLock lock];
295 [eventQueues addObject:queue];
296 [eventQueuesLock unlock];
300 - (void) unregisterEventQueue:(WineEventQueue*)queue
302 [eventQueuesLock lock];
303 [eventQueues removeObjectIdenticalTo:queue];
304 [eventQueuesLock unlock];
307 - (void) computeEventTimeAdjustmentFromTicks:(unsigned long long)tickcount uptime:(uint64_t)uptime_ns
309 eventTimeAdjustment = (tickcount / 1000.0) - (uptime_ns / (double)NSEC_PER_SEC);
312 - (double) ticksForEventTime:(NSTimeInterval)eventTime
314 return (eventTime + eventTimeAdjustment) * 1000;
317 /* Invalidate old focus offers across all queues. */
318 - (void) invalidateGotFocusEvents
320 WineEventQueue* queue;
324 [eventQueuesLock lock];
325 for (queue in eventQueues)
327 [queue discardEventsMatchingMask:event_mask_for_type(WINDOW_GOT_FOCUS)
330 [eventQueuesLock unlock];
333 - (void) windowGotFocus:(WineWindow*)window
337 [self invalidateGotFocusEvents];
339 event = macdrv_create_event(WINDOW_GOT_FOCUS, window);
340 event->window_got_focus.serial = windowFocusSerial;
342 event->window_got_focus.tried_windows = [triedWindows retain];
344 event->window_got_focus.tried_windows = [[NSMutableSet alloc] init];
345 [window.queue postEvent:event];
346 macdrv_release_event(event);
349 - (void) windowRejectedFocusEvent:(const macdrv_event*)event
351 if (event->window_got_focus.serial == windowFocusSerial)
353 NSMutableArray* windows = [keyWindows mutableCopy];
354 NSNumber* windowNumber;
357 for (windowNumber in [NSWindow windowNumbersWithOptions:NSWindowNumberListAllSpaces])
359 window = (WineWindow*)[NSApp windowWithWindowNumber:[windowNumber integerValue]];
360 if ([window isKindOfClass:[WineWindow class]] && [window screen] &&
361 ![windows containsObject:window])
362 [windows addObject:window];
365 triedWindows = (NSMutableSet*)event->window_got_focus.tried_windows;
366 [triedWindows addObject:(WineWindow*)event->window];
367 for (window in windows)
369 if (![triedWindows containsObject:window] && [window canBecomeKeyWindow])
371 [window makeKeyWindow];
380 - (void) keyboardSelectionDidChange
382 TISInputSourceRef inputSourceLayout;
384 inputSourceIsInputMethodValid = FALSE;
386 inputSourceLayout = TISCopyCurrentKeyboardLayoutInputSource();
387 if (inputSourceLayout)
390 uchr = TISGetInputSourceProperty(inputSourceLayout,
391 kTISPropertyUnicodeKeyLayoutData);
395 WineEventQueue* queue;
397 event = macdrv_create_event(KEYBOARD_CHANGED, nil);
398 event->keyboard_changed.keyboard_type = self.keyboardType;
399 event->keyboard_changed.iso_keyboard = (KBGetLayoutType(self.keyboardType) == kKeyboardISO);
400 event->keyboard_changed.uchr = CFDataCreateCopy(NULL, uchr);
401 event->keyboard_changed.input_source = TISCopyCurrentKeyboardInputSource();
403 if (event->keyboard_changed.uchr)
405 [eventQueuesLock lock];
407 for (queue in eventQueues)
408 [queue postEvent:event];
410 [eventQueuesLock unlock];
413 macdrv_release_event(event);
416 CFRelease(inputSourceLayout);
420 - (void) enabledKeyboardInputSourcesChanged
422 macdrv_layout_list_needs_update = TRUE;
425 - (CGFloat) primaryScreenHeight
427 if (!primaryScreenHeightValid)
429 NSArray* screens = [NSScreen screens];
430 NSUInteger count = [screens count];
437 primaryScreenHeight = NSHeight([[screens objectAtIndex:0] frame]);
438 primaryScreenHeightValid = TRUE;
440 size = count * sizeof(CGRect);
441 if (!screenFrameCGRects)
442 screenFrameCGRects = [[NSMutableData alloc] initWithLength:size];
444 [screenFrameCGRects setLength:size];
446 rect = [screenFrameCGRects mutableBytes];
447 for (screen in screens)
449 CGRect temp = NSRectToCGRect([screen frame]);
450 temp.origin.y = primaryScreenHeight - CGRectGetMaxY(temp);
455 return 1280; /* arbitrary value */
458 return primaryScreenHeight;
461 - (NSPoint) flippedMouseLocation:(NSPoint)point
463 /* This relies on the fact that Cocoa's mouse location points are
464 actually off by one (precisely because they were flipped from
465 Quartz screen coordinates using this same technique). */
466 point.y = [self primaryScreenHeight] - point.y;
470 - (void) flipRect:(NSRect*)rect
472 // We don't use -primaryScreenHeight here so there's no chance of having
473 // out-of-date cached info. This method is called infrequently enough
474 // that getting the screen height each time is not prohibitively expensive.
475 rect->origin.y = NSMaxY([[[NSScreen screens] objectAtIndex:0] frame]) - NSMaxY(*rect);
478 - (WineWindow*) frontWineWindow
480 NSNumber* windowNumber;
481 for (windowNumber in [NSWindow windowNumbersWithOptions:NSWindowNumberListAllSpaces])
483 NSWindow* window = [NSApp windowWithWindowNumber:[windowNumber integerValue]];
484 if ([window isKindOfClass:[WineWindow class]] && [window screen])
485 return (WineWindow*)window;
491 - (void) adjustWindowLevels:(BOOL)active
493 NSArray* windowNumbers;
494 NSMutableArray* wineWindows;
495 NSNumber* windowNumber;
496 NSUInteger nextFloatingIndex = 0;
497 __block NSInteger maxLevel = NSIntegerMin;
498 __block NSInteger maxNonfloatingLevel = NSNormalWindowLevel;
499 __block WineWindow* prev = nil;
502 if ([NSApp isHidden]) return;
504 windowNumbers = [NSWindow windowNumbersWithOptions:0];
505 wineWindows = [[NSMutableArray alloc] initWithCapacity:[windowNumbers count]];
507 // For the most part, we rely on the window server's ordering of the windows
508 // to be authoritative. The one exception is if the "floating" property of
509 // one of the windows has been changed, it may be in the wrong level and thus
510 // in the order. This method is what's supposed to fix that up. So build
511 // a list of Wine windows sorted first by floating-ness and then by order
512 // as indicated by the window server.
513 for (windowNumber in windowNumbers)
515 window = (WineWindow*)[NSApp windowWithWindowNumber:[windowNumber integerValue]];
516 if ([window isKindOfClass:[WineWindow class]])
519 [wineWindows insertObject:window atIndex:nextFloatingIndex++];
521 [wineWindows addObject:window];
525 NSDisableScreenUpdates();
527 // Go from back to front so that all windows in front of one which is
528 // elevated for full-screen are also elevated.
529 [wineWindows enumerateObjectsWithOptions:NSEnumerationReverse
530 usingBlock:^(id obj, NSUInteger idx, BOOL *stop){
531 WineWindow* window = (WineWindow*)obj;
532 NSInteger origLevel = [window level];
533 NSInteger newLevel = [window minimumLevelForActive:active];
535 if (newLevel < maxLevel)
540 if (!window.floating && maxNonfloatingLevel < newLevel)
541 maxNonfloatingLevel = newLevel;
543 if (newLevel != origLevel)
545 [window setLevel:newLevel];
547 // -setLevel: puts the window at the front of its new level. If
548 // we decreased the level, that's good (it was in front of that
549 // level before, so it should still be now). But if we increased
550 // the level, the window should be toward the back (but still
551 // ahead of the previous windows we did this to).
552 if (origLevel < newLevel)
555 [window orderWindow:NSWindowAbove relativeTo:[prev windowNumber]];
557 [window orderBack:nil];
564 NSEnableScreenUpdates();
566 [wineWindows release];
568 // The above took care of the visible windows on the current space. That
569 // leaves windows on other spaces, minimized windows, and windows which
570 // are not ordered in. We want to leave windows on other spaces alone
571 // so the space remains just as they left it (when viewed in Exposé or
572 // Mission Control, for example). We'll adjust the window levels again
573 // after we switch to another space, anyway. Windows which aren't
574 // ordered in will be handled when we order them in. Minimized windows
575 // on the current space should be set to the level they would have gotten
576 // if they were at the front of the windows with the same floating-ness,
577 // because that's where they'll go if/when they are unminimized. Again,
578 // for good measure we'll adjust window levels again when a window is
580 for (window in [NSApp windows])
582 if ([window isKindOfClass:[WineWindow class]] && [window isMiniaturized] &&
583 [window isOnActiveSpace])
585 NSInteger origLevel = [window level];
586 NSInteger newLevel = [window minimumLevelForActive:YES];
587 NSInteger maxLevelForType = window.floating ? maxLevel : maxNonfloatingLevel;
589 if (newLevel < maxLevelForType)
590 newLevel = maxLevelForType;
592 if (newLevel != origLevel)
593 [window setLevel:newLevel];
598 - (void) adjustWindowLevels
600 [self adjustWindowLevels:[NSApp isActive]];
603 - (void) updateFullscreenWindows
605 if (capture_displays_for_fullscreen && [NSApp isActive])
607 BOOL anyFullscreen = FALSE;
608 NSNumber* windowNumber;
609 for (windowNumber in [NSWindow windowNumbersWithOptions:0])
611 WineWindow* window = (WineWindow*)[NSApp windowWithWindowNumber:[windowNumber integerValue]];
612 if ([window isKindOfClass:[WineWindow class]] && window.fullscreen)
614 anyFullscreen = TRUE;
621 if ([self areDisplaysCaptured] || CGCaptureAllDisplays() == CGDisplayNoErr)
622 displaysCapturedForFullscreen = TRUE;
624 else if (displaysCapturedForFullscreen)
626 if ([originalDisplayModes count] || CGReleaseAllDisplays() == CGDisplayNoErr)
627 displaysCapturedForFullscreen = FALSE;
632 - (void) activeSpaceDidChange
634 [self updateFullscreenWindows];
635 [self adjustWindowLevels];
638 - (void) sendDisplaysChanged:(BOOL)activating
641 WineEventQueue* queue;
643 event = macdrv_create_event(DISPLAYS_CHANGED, nil);
644 event->displays_changed.activating = activating;
646 [eventQueuesLock lock];
648 // If we're activating, then we just need one of our threads to get the
649 // event, so it can send it directly to the desktop window. Otherwise,
650 // we need all of the threads to get it because we don't know which owns
651 // the desktop window and only that one will do anything with it.
652 if (activating) event->deliver = 1;
654 for (queue in eventQueues)
655 [queue postEvent:event];
656 [eventQueuesLock unlock];
658 macdrv_release_event(event);
661 // We can compare two modes directly using CFEqual, but that may require that
662 // they are identical to a level that we don't need. In particular, when the
663 // OS switches between the integrated and discrete GPUs, the set of display
664 // modes can change in subtle ways. We're interested in whether two modes
665 // match in their most salient features, even if they aren't identical.
666 - (BOOL) mode:(CGDisplayModeRef)mode1 matchesMode:(CGDisplayModeRef)mode2
668 NSString *encoding1, *encoding2;
669 uint32_t ioflags1, ioflags2, different;
670 double refresh1, refresh2;
672 if (CGDisplayModeGetWidth(mode1) != CGDisplayModeGetWidth(mode2)) return FALSE;
673 if (CGDisplayModeGetHeight(mode1) != CGDisplayModeGetHeight(mode2)) return FALSE;
675 encoding1 = [(NSString*)CGDisplayModeCopyPixelEncoding(mode1) autorelease];
676 encoding2 = [(NSString*)CGDisplayModeCopyPixelEncoding(mode2) autorelease];
677 if (![encoding1 isEqualToString:encoding2]) return FALSE;
679 ioflags1 = CGDisplayModeGetIOFlags(mode1);
680 ioflags2 = CGDisplayModeGetIOFlags(mode2);
681 different = ioflags1 ^ ioflags2;
682 if (different & (kDisplayModeValidFlag | kDisplayModeSafeFlag | kDisplayModeStretchedFlag |
683 kDisplayModeInterlacedFlag | kDisplayModeTelevisionFlag))
686 refresh1 = CGDisplayModeGetRefreshRate(mode1);
687 if (refresh1 == 0) refresh1 = 60;
688 refresh2 = CGDisplayModeGetRefreshRate(mode2);
689 if (refresh2 == 0) refresh2 = 60;
690 if (fabs(refresh1 - refresh2) > 0.1) return FALSE;
695 - (CGDisplayModeRef)modeMatchingMode:(CGDisplayModeRef)mode forDisplay:(CGDirectDisplayID)displayID
697 CGDisplayModeRef ret = NULL;
698 NSArray *modes = [(NSArray*)CGDisplayCopyAllDisplayModes(displayID, NULL) autorelease];
699 for (id candidateModeObject in modes)
701 CGDisplayModeRef candidateMode = (CGDisplayModeRef)candidateModeObject;
702 if ([self mode:candidateMode matchesMode:mode])
711 - (BOOL) setMode:(CGDisplayModeRef)mode forDisplay:(CGDirectDisplayID)displayID
714 NSNumber* displayIDKey = [NSNumber numberWithUnsignedInt:displayID];
715 CGDisplayModeRef originalMode;
717 originalMode = (CGDisplayModeRef)[originalDisplayModes objectForKey:displayIDKey];
719 if (originalMode && [self mode:mode matchesMode:originalMode])
721 if ([originalDisplayModes count] == 1) // If this is the last changed display, do a blanket reset
723 CGRestorePermanentDisplayConfiguration();
724 if (!displaysCapturedForFullscreen)
725 CGReleaseAllDisplays();
726 [originalDisplayModes removeAllObjects];
729 else // ... otherwise, try to restore just the one display
731 mode = [self modeMatchingMode:mode forDisplay:displayID];
732 if (mode && CGDisplaySetDisplayMode(displayID, mode, NULL) == CGDisplayNoErr)
734 [originalDisplayModes removeObjectForKey:displayIDKey];
741 BOOL active = [NSApp isActive];
742 CGDisplayModeRef currentMode;
744 currentMode = CGDisplayModeRetain((CGDisplayModeRef)[latentDisplayModes objectForKey:displayIDKey]);
746 currentMode = CGDisplayCopyDisplayMode(displayID);
747 if (!currentMode) // Invalid display ID
750 if ([self mode:mode matchesMode:currentMode]) // Already there!
752 CGDisplayModeRelease(currentMode);
756 CGDisplayModeRelease(currentMode);
759 mode = [self modeMatchingMode:mode forDisplay:displayID];
763 if ([originalDisplayModes count] || displaysCapturedForFullscreen ||
764 !active || CGCaptureAllDisplays() == CGDisplayNoErr)
768 // If we get here, we have the displays captured. If we don't
769 // know the original mode of the display, the current mode must
770 // be the original. We should re-query the current mode since
771 // another process could have changed it between when we last
772 // checked and when we captured the displays.
774 originalMode = currentMode = CGDisplayCopyDisplayMode(displayID);
777 ret = (CGDisplaySetDisplayMode(displayID, mode, NULL) == CGDisplayNoErr);
778 if (ret && !(currentMode && [self mode:mode matchesMode:currentMode]))
779 [originalDisplayModes setObject:(id)originalMode forKey:displayIDKey];
780 else if (![originalDisplayModes count])
782 CGRestorePermanentDisplayConfiguration();
783 if (!displaysCapturedForFullscreen)
784 CGReleaseAllDisplays();
788 CGDisplayModeRelease(currentMode);
792 [latentDisplayModes setObject:(id)mode forKey:displayIDKey];
799 [self adjustWindowLevels];
804 - (BOOL) areDisplaysCaptured
806 return ([originalDisplayModes count] > 0 || displaysCapturedForFullscreen);
809 - (void) updateCursor:(BOOL)force
811 if (force || lastTargetWindow)
813 if (clientWantsCursorHidden && !cursorHidden)
819 if (!cursorIsCurrent)
822 cursorIsCurrent = TRUE;
825 if (!clientWantsCursorHidden && cursorHidden)
828 cursorHidden = FALSE;
835 [[NSCursor arrowCursor] set];
836 cursorIsCurrent = FALSE;
841 cursorHidden = FALSE;
848 if (!clientWantsCursorHidden)
850 clientWantsCursorHidden = TRUE;
851 [self updateCursor:TRUE];
855 - (void) unhideCursor
857 if (clientWantsCursorHidden)
859 clientWantsCursorHidden = FALSE;
860 [self updateCursor:FALSE];
864 - (void) setCursor:(NSCursor*)newCursor
866 if (newCursor != cursor)
869 cursor = [newCursor retain];
870 cursorIsCurrent = FALSE;
871 [self updateCursor:FALSE];
877 NSDictionary* frame = [cursorFrames objectAtIndex:cursorFrame];
878 CGImageRef cgimage = (CGImageRef)[frame objectForKey:@"image"];
879 NSImage* image = [[NSImage alloc] initWithCGImage:cgimage size:NSZeroSize];
880 CFDictionaryRef hotSpotDict = (CFDictionaryRef)[frame objectForKey:@"hotSpot"];
883 if (!CGPointMakeWithDictionaryRepresentation(hotSpotDict, &hotSpot))
884 hotSpot = CGPointZero;
885 self.cursor = [[[NSCursor alloc] initWithImage:image hotSpot:NSPointFromCGPoint(hotSpot)] autorelease];
890 - (void) nextCursorFrame:(NSTimer*)theTimer
893 NSTimeInterval duration;
897 if (cursorFrame >= [cursorFrames count])
901 frame = [cursorFrames objectAtIndex:cursorFrame];
902 duration = [[frame objectForKey:@"duration"] doubleValue];
903 date = [[theTimer fireDate] dateByAddingTimeInterval:duration];
904 [cursorTimer setFireDate:date];
907 - (void) setCursorWithFrames:(NSArray*)frames
909 if (self.cursorFrames == frames)
912 self.cursorFrames = frames;
914 [cursorTimer invalidate];
915 self.cursorTimer = nil;
919 if ([frames count] > 1)
921 NSDictionary* frame = [frames objectAtIndex:0];
922 NSTimeInterval duration = [[frame objectForKey:@"duration"] doubleValue];
923 NSDate* date = [NSDate dateWithTimeIntervalSinceNow:duration];
924 self.cursorTimer = [[[NSTimer alloc] initWithFireDate:date
927 selector:@selector(nextCursorFrame:)
929 repeats:YES] autorelease];
930 [[NSRunLoop currentRunLoop] addTimer:cursorTimer forMode:NSRunLoopCommonModes];
937 - (void) setApplicationIconFromCGImageArray:(NSArray*)images
939 NSImage* nsimage = nil;
943 NSSize bestSize = NSZeroSize;
946 nsimage = [[[NSImage alloc] initWithSize:NSZeroSize] autorelease];
948 for (image in images)
950 CGImageRef cgimage = (CGImageRef)image;
951 NSBitmapImageRep* imageRep = [[NSBitmapImageRep alloc] initWithCGImage:cgimage];
954 NSSize size = [imageRep size];
956 [nsimage addRepresentation:imageRep];
959 if (MIN(size.width, size.height) > MIN(bestSize.width, bestSize.height))
964 if ([[nsimage representations] count] && bestSize.width && bestSize.height)
965 [nsimage setSize:bestSize];
970 self.applicationIcon = nsimage;
973 - (void) handleCommandTab
975 if ([NSApp isActive])
977 NSRunningApplication* thisApp = [NSRunningApplication currentApplication];
978 NSRunningApplication* app;
979 NSRunningApplication* otherValidApp = nil;
981 if ([originalDisplayModes count] || displaysCapturedForFullscreen)
984 for (displayID in originalDisplayModes)
986 CGDisplayModeRef mode = CGDisplayCopyDisplayMode([displayID unsignedIntValue]);
987 [latentDisplayModes setObject:(id)mode forKey:displayID];
988 CGDisplayModeRelease(mode);
991 CGRestorePermanentDisplayConfiguration();
992 CGReleaseAllDisplays();
993 [originalDisplayModes removeAllObjects];
994 displaysCapturedForFullscreen = FALSE;
997 for (app in [[NSWorkspace sharedWorkspace] runningApplications])
999 if (![app isEqual:thisApp] && !app.terminated &&
1000 app.activationPolicy == NSApplicationActivationPolicyRegular)
1004 // There's another visible app. Just hide ourselves and let
1005 // the system activate the other app.
1011 otherValidApp = app;
1015 // Didn't find a visible GUI app. Try the Finder or, if that's not
1016 // running, the first hidden GUI app. If even that doesn't work, we
1017 // just fail to switch and remain the active app.
1018 app = [[NSRunningApplication runningApplicationsWithBundleIdentifier:@"com.apple.finder"] lastObject];
1019 if (!app) app = otherValidApp;
1021 [app activateWithOptions:0];
1026 * ---------- Cursor clipping methods ----------
1028 * Neither Quartz nor Cocoa has an exact analog for Win32 cursor clipping.
1029 * For one simple case, clipping to a 1x1 rectangle, Quartz does have an
1030 * equivalent: CGAssociateMouseAndMouseCursorPosition(false). For the
1031 * general case, we leverage that. We disassociate mouse movements from
1032 * the cursor position and then move the cursor manually, keeping it within
1033 * the clipping rectangle.
1035 * Moving the cursor manually isn't enough. We need to modify the event
1036 * stream so that the events have the new location, too. We need to do
1037 * this at a point before the events enter Cocoa, so that Cocoa will assign
1038 * the correct window to the event. So, we install a Quartz event tap to
1041 * Also, there's a complication when we move the cursor. We use
1042 * CGWarpMouseCursorPosition(). That doesn't generate mouse movement
1043 * events, but the change of cursor position is incorporated into the
1044 * deltas of the next mouse move event. When the mouse is disassociated
1045 * from the cursor position, we need the deltas to only reflect actual
1046 * device movement, not programmatic changes. So, the event tap cancels
1047 * out the change caused by our calls to CGWarpMouseCursorPosition().
1049 - (void) clipCursorLocation:(CGPoint*)location
1051 if (location->x < CGRectGetMinX(cursorClipRect))
1052 location->x = CGRectGetMinX(cursorClipRect);
1053 if (location->y < CGRectGetMinY(cursorClipRect))
1054 location->y = CGRectGetMinY(cursorClipRect);
1055 if (location->x > CGRectGetMaxX(cursorClipRect) - 1)
1056 location->x = CGRectGetMaxX(cursorClipRect) - 1;
1057 if (location->y > CGRectGetMaxY(cursorClipRect) - 1)
1058 location->y = CGRectGetMaxY(cursorClipRect) - 1;
1061 - (BOOL) warpCursorTo:(CGPoint*)newLocation from:(const CGPoint*)currentLocation
1063 CGPoint oldLocation;
1065 if (currentLocation)
1066 oldLocation = *currentLocation;
1068 oldLocation = NSPointToCGPoint([self flippedMouseLocation:[NSEvent mouseLocation]]);
1070 if (!CGPointEqualToPoint(oldLocation, *newLocation))
1072 WarpRecord* warpRecord = [[[WarpRecord alloc] init] autorelease];
1075 warpRecord.from = oldLocation;
1076 warpRecord.timeBefore = [[NSProcessInfo processInfo] systemUptime] * NSEC_PER_SEC;
1078 /* Actually move the cursor. */
1079 err = CGWarpMouseCursorPosition(*newLocation);
1080 if (err != kCGErrorSuccess)
1083 warpRecord.timeAfter = [[NSProcessInfo processInfo] systemUptime] * NSEC_PER_SEC;
1084 *newLocation = NSPointToCGPoint([self flippedMouseLocation:[NSEvent mouseLocation]]);
1086 if (!CGPointEqualToPoint(oldLocation, *newLocation))
1088 warpRecord.to = *newLocation;
1089 [warpRecords addObject:warpRecord];
1096 - (BOOL) isMouseMoveEventType:(CGEventType)type
1100 case kCGEventMouseMoved:
1101 case kCGEventLeftMouseDragged:
1102 case kCGEventRightMouseDragged:
1103 case kCGEventOtherMouseDragged:
1110 - (int) warpsFinishedByEventTime:(CGEventTimestamp)eventTime location:(CGPoint)eventLocation
1112 int warpsFinished = 0;
1113 for (WarpRecord* warpRecord in warpRecords)
1115 if (warpRecord.timeAfter < eventTime ||
1116 (warpRecord.timeBefore <= eventTime && CGPointEqualToPoint(eventLocation, warpRecord.to)))
1122 return warpsFinished;
1125 - (CGEventRef) eventTapWithProxy:(CGEventTapProxy)proxy
1126 type:(CGEventType)type
1127 event:(CGEventRef)event
1129 CGEventTimestamp eventTime;
1130 CGPoint eventLocation, cursorLocation;
1132 if (type == kCGEventTapDisabledByUserInput)
1134 if (type == kCGEventTapDisabledByTimeout)
1136 CGEventTapEnable(cursorClippingEventTap, TRUE);
1140 if (!clippingCursor)
1143 eventTime = CGEventGetTimestamp(event);
1144 lastEventTapEventTime = eventTime / (double)NSEC_PER_SEC;
1146 eventLocation = CGEventGetLocation(event);
1148 cursorLocation = NSPointToCGPoint([self flippedMouseLocation:[NSEvent mouseLocation]]);
1150 if ([self isMouseMoveEventType:type])
1152 double deltaX, deltaY;
1153 int warpsFinished = [self warpsFinishedByEventTime:eventTime location:eventLocation];
1156 deltaX = CGEventGetDoubleValueField(event, kCGMouseEventDeltaX);
1157 deltaY = CGEventGetDoubleValueField(event, kCGMouseEventDeltaY);
1159 for (i = 0; i < warpsFinished; i++)
1161 WarpRecord* warpRecord = [warpRecords objectAtIndex:0];
1162 deltaX -= warpRecord.to.x - warpRecord.from.x;
1163 deltaY -= warpRecord.to.y - warpRecord.from.y;
1164 [warpRecords removeObjectAtIndex:0];
1169 CGEventSetDoubleValueField(event, kCGMouseEventDeltaX, deltaX);
1170 CGEventSetDoubleValueField(event, kCGMouseEventDeltaY, deltaY);
1173 synthesizedLocation.x += deltaX;
1174 synthesizedLocation.y += deltaY;
1177 // If the event is destined for another process, don't clip it. This may
1178 // happen if the user activates Exposé or Mission Control. In that case,
1179 // our app does not resign active status, so clipping is still in effect,
1180 // but the cursor should not actually be clipped.
1182 // In addition, the fact that mouse moves may have been delivered to a
1183 // different process means we have to treat the next one we receive as
1184 // absolute rather than relative.
1185 if (CGEventGetIntegerValueField(event, kCGEventTargetUnixProcessID) == getpid())
1186 [self clipCursorLocation:&synthesizedLocation];
1188 lastSetCursorPositionTime = lastEventTapEventTime;
1190 [self warpCursorTo:&synthesizedLocation from:&cursorLocation];
1191 if (!CGPointEqualToPoint(eventLocation, synthesizedLocation))
1192 CGEventSetLocation(event, synthesizedLocation);
1197 CGEventRef WineAppEventTapCallBack(CGEventTapProxy proxy, CGEventType type,
1198 CGEventRef event, void *refcon)
1200 WineApplicationController* controller = refcon;
1201 return [controller eventTapWithProxy:proxy type:type event:event];
1204 - (BOOL) installEventTap
1206 ProcessSerialNumber psn;
1208 CGEventMask mask = CGEventMaskBit(kCGEventLeftMouseDown) |
1209 CGEventMaskBit(kCGEventLeftMouseUp) |
1210 CGEventMaskBit(kCGEventRightMouseDown) |
1211 CGEventMaskBit(kCGEventRightMouseUp) |
1212 CGEventMaskBit(kCGEventMouseMoved) |
1213 CGEventMaskBit(kCGEventLeftMouseDragged) |
1214 CGEventMaskBit(kCGEventRightMouseDragged) |
1215 CGEventMaskBit(kCGEventOtherMouseDown) |
1216 CGEventMaskBit(kCGEventOtherMouseUp) |
1217 CGEventMaskBit(kCGEventOtherMouseDragged) |
1218 CGEventMaskBit(kCGEventScrollWheel);
1219 CFRunLoopSourceRef source;
1221 OSErr (*pGetCurrentProcess)(ProcessSerialNumber* PSN);
1223 if (cursorClippingEventTap)
1226 // We need to get the Mac GetCurrentProcess() from the ApplicationServices
1227 // framework with dlsym() because the Win32 function of the same name
1229 appServices = dlopen("/System/Library/Frameworks/ApplicationServices.framework/ApplicationServices", RTLD_LAZY);
1233 pGetCurrentProcess = dlsym(appServices, "GetCurrentProcess");
1234 if (!pGetCurrentProcess)
1236 dlclose(appServices);
1240 err = pGetCurrentProcess(&psn);
1241 dlclose(appServices);
1245 // We create an annotated session event tap rather than a process-specific
1246 // event tap because we need to programmatically move the cursor even when
1247 // mouse moves are directed to other processes. We disable our tap when
1248 // other processes are active, but things like Exposé are handled by other
1249 // processes even when we remain active.
1250 cursorClippingEventTap = CGEventTapCreate(kCGAnnotatedSessionEventTap, kCGHeadInsertEventTap,
1251 kCGEventTapOptionDefault, mask, WineAppEventTapCallBack, self);
1252 if (!cursorClippingEventTap)
1255 CGEventTapEnable(cursorClippingEventTap, FALSE);
1257 source = CFMachPortCreateRunLoopSource(NULL, cursorClippingEventTap, 0);
1260 CFRelease(cursorClippingEventTap);
1261 cursorClippingEventTap = NULL;
1265 CFRunLoopAddSource(CFRunLoopGetCurrent(), source, kCFRunLoopCommonModes);
1270 - (BOOL) setCursorPosition:(CGPoint)pos
1274 if ([windowsBeingDragged count])
1276 else if (clippingCursor)
1278 [self clipCursorLocation:&pos];
1280 ret = [self warpCursorTo:&pos from:NULL];
1281 synthesizedLocation = pos;
1284 // We want to discard mouse-move events that have already been
1285 // through the event tap, because it's too late to account for
1286 // the setting of the cursor position with them. However, the
1287 // events that may be queued with times after that but before
1288 // the above warp can still be used. So, use the last event
1289 // tap event time so that -sendEvent: doesn't discard them.
1290 lastSetCursorPositionTime = lastEventTapEventTime;
1295 ret = (CGWarpMouseCursorPosition(pos) == kCGErrorSuccess);
1298 lastSetCursorPositionTime = [[NSProcessInfo processInfo] systemUptime];
1300 // Annoyingly, CGWarpMouseCursorPosition() effectively disassociates
1301 // the mouse from the cursor position for 0.25 seconds. This means
1302 // that mouse movement during that interval doesn't move the cursor
1303 // and events carry a constant location (the warped-to position)
1304 // even though they have delta values. This screws us up because
1305 // the accumulated deltas we send to Wine don't match any eventual
1306 // absolute position we send (like with a button press). We can
1307 // work around this by simply forcibly reassociating the mouse and
1309 CGAssociateMouseAndMouseCursorPosition(true);
1315 WineEventQueue* queue;
1317 // Discard all pending mouse move events.
1318 [eventQueuesLock lock];
1319 for (queue in eventQueues)
1321 [queue discardEventsMatchingMask:event_mask_for_type(MOUSE_MOVED) |
1322 event_mask_for_type(MOUSE_MOVED_ABSOLUTE)
1324 [queue resetMouseEventPositions:pos];
1326 [eventQueuesLock unlock];
1332 - (void) activateCursorClipping
1334 if (cursorClippingEventTap && !CGEventTapIsEnabled(cursorClippingEventTap))
1336 CGEventTapEnable(cursorClippingEventTap, TRUE);
1337 [self setCursorPosition:NSPointToCGPoint([self flippedMouseLocation:[NSEvent mouseLocation]])];
1341 - (void) deactivateCursorClipping
1343 if (cursorClippingEventTap && CGEventTapIsEnabled(cursorClippingEventTap))
1345 CGEventTapEnable(cursorClippingEventTap, FALSE);
1346 [warpRecords removeAllObjects];
1347 lastSetCursorPositionTime = [[NSProcessInfo processInfo] systemUptime];
1351 - (void) updateCursorClippingState
1353 if (clippingCursor && [NSApp isActive] && ![windowsBeingDragged count])
1354 [self activateCursorClipping];
1356 [self deactivateCursorClipping];
1359 - (void) updateWindowsForCursorClipping
1362 for (window in [NSApp windows])
1364 if ([window isKindOfClass:[WineWindow class]])
1365 [window updateForCursorClipping];
1369 - (BOOL) startClippingCursor:(CGRect)rect
1373 if (!cursorClippingEventTap && ![self installEventTap])
1376 if (clippingCursor && CGRectEqualToRect(rect, cursorClipRect) &&
1377 CGEventTapIsEnabled(cursorClippingEventTap))
1380 err = CGAssociateMouseAndMouseCursorPosition(false);
1381 if (err != kCGErrorSuccess)
1384 clippingCursor = TRUE;
1385 cursorClipRect = rect;
1386 [self updateCursorClippingState];
1387 [self updateWindowsForCursorClipping];
1392 - (BOOL) stopClippingCursor
1394 CGError err = CGAssociateMouseAndMouseCursorPosition(true);
1395 if (err != kCGErrorSuccess)
1398 clippingCursor = FALSE;
1399 [self updateCursorClippingState];
1400 [self updateWindowsForCursorClipping];
1405 - (BOOL) isKeyPressed:(uint16_t)keyCode
1407 int bits = sizeof(pressedKeyCodes[0]) * 8;
1408 int index = keyCode / bits;
1409 uint32_t mask = 1 << (keyCode % bits);
1410 return (pressedKeyCodes[index] & mask) != 0;
1413 - (void) noteKey:(uint16_t)keyCode pressed:(BOOL)pressed
1415 int bits = sizeof(pressedKeyCodes[0]) * 8;
1416 int index = keyCode / bits;
1417 uint32_t mask = 1 << (keyCode % bits);
1419 pressedKeyCodes[index] |= mask;
1421 pressedKeyCodes[index] &= ~mask;
1424 - (void) handleMouseMove:(NSEvent*)anEvent
1426 WineWindow* targetWindow;
1427 BOOL drag = [anEvent type] != NSMouseMoved;
1429 if ([windowsBeingDragged count])
1431 else if (mouseCaptureWindow)
1432 targetWindow = mouseCaptureWindow;
1434 targetWindow = (WineWindow*)[anEvent window];
1437 /* Because of the way -[NSWindow setAcceptsMouseMovedEvents:] works, the
1438 event indicates its window is the main window, even if the cursor is
1439 over a different window. Find the actual WineWindow that is under the
1440 cursor and post the event as being for that window. */
1441 CGPoint cgpoint = CGEventGetLocation([anEvent CGEvent]);
1442 NSPoint point = [self flippedMouseLocation:NSPointFromCGPoint(cgpoint)];
1443 NSInteger windowUnderNumber;
1445 windowUnderNumber = [NSWindow windowNumberAtPoint:point
1446 belowWindowWithWindowNumber:0];
1447 targetWindow = (WineWindow*)[NSApp windowWithWindowNumber:windowUnderNumber];
1448 if (!NSMouseInRect(point, [targetWindow contentRectForFrameRect:[targetWindow frame]], NO))
1452 if ([targetWindow isKindOfClass:[WineWindow class]])
1454 CGPoint point = CGEventGetLocation([anEvent CGEvent]);
1455 macdrv_event* event;
1458 // If we recently warped the cursor (other than in our cursor-clipping
1459 // event tap), discard mouse move events until we see an event which is
1460 // later than that time.
1461 if (lastSetCursorPositionTime)
1463 if ([anEvent timestamp] <= lastSetCursorPositionTime)
1466 lastSetCursorPositionTime = 0;
1467 forceNextMouseMoveAbsolute = TRUE;
1470 if (forceNextMouseMoveAbsolute || targetWindow != lastTargetWindow)
1473 forceNextMouseMoveAbsolute = FALSE;
1477 // Send absolute move events if the cursor is in the interior of
1478 // its range. Only send relative moves if the cursor is pinned to
1479 // the boundaries of where it can go. We compute the position
1480 // that's one additional point in the direction of movement. If
1481 // that is outside of the clipping rect or desktop region (the
1482 // union of the screen frames), then we figure the cursor would
1483 // have moved outside if it could but it was pinned.
1484 CGPoint computedPoint = point;
1485 CGFloat deltaX = [anEvent deltaX];
1486 CGFloat deltaY = [anEvent deltaY];
1490 else if (deltaX < -0.001)
1495 else if (deltaY < -0.001)
1498 // Assume cursor is pinned for now
1500 if (!clippingCursor || CGRectContainsPoint(cursorClipRect, computedPoint))
1502 const CGRect* rects;
1503 NSUInteger count, i;
1505 // Caches screenFrameCGRects if necessary
1506 [self primaryScreenHeight];
1508 rects = [screenFrameCGRects bytes];
1509 count = [screenFrameCGRects length] / sizeof(rects[0]);
1511 for (i = 0; i < count; i++)
1513 if (CGRectContainsPoint(rects[i], computedPoint))
1525 [self clipCursorLocation:&point];
1527 event = macdrv_create_event(MOUSE_MOVED_ABSOLUTE, targetWindow);
1528 event->mouse_moved.x = point.x;
1529 event->mouse_moved.y = point.y;
1531 mouseMoveDeltaX = 0;
1532 mouseMoveDeltaY = 0;
1536 /* Add event delta to accumulated delta error */
1537 /* deltaY is already flipped */
1538 mouseMoveDeltaX += [anEvent deltaX];
1539 mouseMoveDeltaY += [anEvent deltaY];
1541 event = macdrv_create_event(MOUSE_MOVED, targetWindow);
1542 event->mouse_moved.x = mouseMoveDeltaX;
1543 event->mouse_moved.y = mouseMoveDeltaY;
1545 /* Keep the remainder after integer truncation. */
1546 mouseMoveDeltaX -= event->mouse_moved.x;
1547 mouseMoveDeltaY -= event->mouse_moved.y;
1550 if (event->type == MOUSE_MOVED_ABSOLUTE || event->mouse_moved.x || event->mouse_moved.y)
1552 event->mouse_moved.time_ms = [self ticksForEventTime:[anEvent timestamp]];
1553 event->mouse_moved.drag = drag;
1555 [targetWindow.queue postEvent:event];
1558 macdrv_release_event(event);
1560 lastTargetWindow = targetWindow;
1563 lastTargetWindow = nil;
1565 [self updateCursor:FALSE];
1568 - (void) handleMouseButton:(NSEvent*)theEvent
1570 WineWindow* window = (WineWindow*)[theEvent window];
1571 NSEventType type = [theEvent type];
1572 BOOL broughtWindowForward = FALSE;
1574 if ([window isKindOfClass:[WineWindow class]] &&
1575 !window.disabled && !window.noActivate &&
1576 type == NSLeftMouseDown &&
1577 (([theEvent modifierFlags] & (NSShiftKeyMask | NSControlKeyMask| NSAlternateKeyMask | NSCommandKeyMask)) != NSCommandKeyMask))
1579 NSWindowButton windowButton;
1581 broughtWindowForward = TRUE;
1583 /* Any left-click on our window anyplace other than the close or
1584 minimize buttons will bring it forward. */
1585 for (windowButton = NSWindowCloseButton;
1586 windowButton <= NSWindowMiniaturizeButton;
1589 NSButton* button = [window standardWindowButton:windowButton];
1592 NSPoint point = [button convertPoint:[theEvent locationInWindow] fromView:nil];
1593 if ([button mouse:point inRect:[button bounds]])
1595 broughtWindowForward = FALSE;
1601 if (broughtWindowForward)
1603 // Clicking on a child window does not normally reorder it with
1604 // respect to its siblings, but we want it to. We have to do it
1606 NSWindow* parent = [window parentWindow];
1607 NSInteger level = [window level];
1608 __block BOOL needReorder = FALSE;
1609 NSMutableArray* higherLevelSiblings = [NSMutableArray array];
1611 // If the window is already the last child or if it's only below
1612 // children with higher window level, then no need to reorder it.
1613 [[parent childWindows] enumerateObjectsWithOptions:NSEnumerationReverse
1614 usingBlock:^(id obj, NSUInteger idx, BOOL *stop){
1615 WineWindow* child = obj;
1616 if (child == window)
1618 else if ([child level] <= level)
1624 [higherLevelSiblings insertObject:child atIndex:0];
1629 WineWindow* sibling;
1631 NSDisableScreenUpdates();
1633 [parent removeChildWindow:window];
1634 for (sibling in higherLevelSiblings)
1635 [parent removeChildWindow:sibling];
1637 [parent addChildWindow:window ordered:NSWindowAbove];
1638 for (sibling in higherLevelSiblings)
1640 // Setting a window as a child can reset its level to be
1641 // the same as the parent, so save it and restore it.
1642 // The call to -setLevel: puts the window at the front
1643 // of its level but testing shows that that's what Cocoa
1644 // does when you click on any window in an ownership
1645 // hierarchy, anyway.
1646 level = [sibling level];
1647 [parent addChildWindow:sibling ordered:NSWindowAbove];
1648 [sibling setLevel:level];
1651 NSEnableScreenUpdates();
1656 if ([windowsBeingDragged count])
1658 else if (mouseCaptureWindow)
1659 window = mouseCaptureWindow;
1661 if ([window isKindOfClass:[WineWindow class]])
1663 BOOL pressed = (type == NSLeftMouseDown || type == NSRightMouseDown || type == NSOtherMouseDown);
1664 CGPoint pt = CGEventGetLocation([theEvent CGEvent]);
1668 [self clipCursorLocation:&pt];
1672 if (mouseCaptureWindow)
1676 // Test if the click was in the window's content area.
1677 NSPoint nspoint = [self flippedMouseLocation:NSPointFromCGPoint(pt)];
1678 NSRect contentRect = [window contentRectForFrameRect:[window frame]];
1679 process = NSMouseInRect(nspoint, contentRect, NO);
1680 if (process && [window styleMask] & NSResizableWindowMask)
1682 // Ignore clicks in the grow box (resize widget).
1683 HIPoint origin = { 0, 0 };
1684 HIThemeGrowBoxDrawInfo info = { 0 };
1688 info.kind = kHIThemeGrowBoxKindNormal;
1689 info.direction = kThemeGrowRight | kThemeGrowDown;
1690 if ([window styleMask] & NSUtilityWindowMask)
1691 info.size = kHIThemeGrowBoxSizeSmall;
1693 info.size = kHIThemeGrowBoxSizeNormal;
1695 status = HIThemeGetGrowBoxBounds(&origin, &info, &bounds);
1696 if (status == noErr)
1698 NSRect growBox = NSMakeRect(NSMaxX(contentRect) - bounds.size.width,
1699 NSMinY(contentRect),
1701 bounds.size.height);
1702 process = !NSMouseInRect(nspoint, growBox, NO);
1707 unmatchedMouseDowns |= NSEventMaskFromType(type);
1711 NSEventType downType = type - 1;
1712 NSUInteger downMask = NSEventMaskFromType(downType);
1713 process = (unmatchedMouseDowns & downMask) != 0;
1714 unmatchedMouseDowns &= ~downMask;
1719 macdrv_event* event;
1721 event = macdrv_create_event(MOUSE_BUTTON, window);
1722 event->mouse_button.button = [theEvent buttonNumber];
1723 event->mouse_button.pressed = pressed;
1724 event->mouse_button.x = pt.x;
1725 event->mouse_button.y = pt.y;
1726 event->mouse_button.time_ms = [self ticksForEventTime:[theEvent timestamp]];
1728 [window.queue postEvent:event];
1730 macdrv_release_event(event);
1732 else if (broughtWindowForward)
1734 [[window ancestorWineWindow] postBroughtForwardEvent];
1735 if (![window isKeyWindow])
1736 [self windowGotFocus:window];
1740 // Since mouse button events deliver absolute cursor position, the
1741 // accumulating delta from move events is invalidated. Make sure
1742 // next mouse move event starts over from an absolute baseline.
1743 // Also, it's at least possible that the title bar widgets (e.g. close
1744 // button, etc.) could enter an internal event loop on a mouse down that
1745 // wouldn't exit until a mouse up. In that case, we'd miss any mouse
1746 // dragged events and, after that, any notion of the cursor position
1747 // computed from accumulating deltas would be wrong.
1748 forceNextMouseMoveAbsolute = TRUE;
1751 - (void) handleScrollWheel:(NSEvent*)theEvent
1755 if (mouseCaptureWindow)
1756 window = mouseCaptureWindow;
1758 window = (WineWindow*)[theEvent window];
1760 if ([window isKindOfClass:[WineWindow class]])
1762 CGEventRef cgevent = [theEvent CGEvent];
1763 CGPoint pt = CGEventGetLocation(cgevent);
1767 [self clipCursorLocation:&pt];
1769 if (mouseCaptureWindow)
1773 // Only process the event if it was in the window's content area.
1774 NSPoint nspoint = [self flippedMouseLocation:NSPointFromCGPoint(pt)];
1775 NSRect contentRect = [window contentRectForFrameRect:[window frame]];
1776 process = NSMouseInRect(nspoint, contentRect, NO);
1781 macdrv_event* event;
1783 BOOL continuous = FALSE;
1785 event = macdrv_create_event(MOUSE_SCROLL, window);
1786 event->mouse_scroll.x = pt.x;
1787 event->mouse_scroll.y = pt.y;
1788 event->mouse_scroll.time_ms = [self ticksForEventTime:[theEvent timestamp]];
1790 if (CGEventGetIntegerValueField(cgevent, kCGScrollWheelEventIsContinuous))
1794 /* Continuous scroll wheel events come from high-precision scrolling
1795 hardware like Apple's Magic Mouse, Mighty Mouse, and trackpads.
1796 For these, we can get more precise data from the CGEvent API. */
1797 /* Axis 1 is vertical, axis 2 is horizontal. */
1798 x = CGEventGetDoubleValueField(cgevent, kCGScrollWheelEventPointDeltaAxis2);
1799 y = CGEventGetDoubleValueField(cgevent, kCGScrollWheelEventPointDeltaAxis1);
1803 double pixelsPerLine = 10;
1804 CGEventSourceRef source;
1806 /* The non-continuous values are in units of "lines", not pixels. */
1807 if ((source = CGEventCreateSourceFromEvent(cgevent)))
1809 pixelsPerLine = CGEventSourceGetPixelsPerLine(source);
1813 x = pixelsPerLine * [theEvent deltaX];
1814 y = pixelsPerLine * [theEvent deltaY];
1817 /* Mac: negative is right or down, positive is left or up.
1818 Win32: negative is left or down, positive is right or up.
1819 So, negate the X scroll value to translate. */
1822 /* The x,y values so far are in pixels. Win32 expects to receive some
1823 fraction of WHEEL_DELTA == 120. By my estimation, that's roughly
1824 6 times the pixel value. */
1825 event->mouse_scroll.x_scroll = 6 * x;
1826 event->mouse_scroll.y_scroll = 6 * y;
1830 /* For non-continuous "clicky" wheels, if there was any motion, make
1831 sure there was at least WHEEL_DELTA motion. This is so, at slow
1832 speeds where the system's acceleration curve is actually reducing the
1833 scroll distance, the user is sure to get some action out of each click.
1834 For example, this is important for rotating though weapons in a
1835 first-person shooter. */
1836 if (0 < event->mouse_scroll.x_scroll && event->mouse_scroll.x_scroll < 120)
1837 event->mouse_scroll.x_scroll = 120;
1838 else if (-120 < event->mouse_scroll.x_scroll && event->mouse_scroll.x_scroll < 0)
1839 event->mouse_scroll.x_scroll = -120;
1841 if (0 < event->mouse_scroll.y_scroll && event->mouse_scroll.y_scroll < 120)
1842 event->mouse_scroll.y_scroll = 120;
1843 else if (-120 < event->mouse_scroll.y_scroll && event->mouse_scroll.y_scroll < 0)
1844 event->mouse_scroll.y_scroll = -120;
1847 if (event->mouse_scroll.x_scroll || event->mouse_scroll.y_scroll)
1848 [window.queue postEvent:event];
1850 macdrv_release_event(event);
1852 // Since scroll wheel events deliver absolute cursor position, the
1853 // accumulating delta from move events is invalidated. Make sure next
1854 // mouse move event starts over from an absolute baseline.
1855 forceNextMouseMoveAbsolute = TRUE;
1860 // Returns TRUE if the event was handled and caller should do nothing more
1861 // with it. Returns FALSE if the caller should process it as normal and
1862 // then call -didSendEvent:.
1863 - (BOOL) handleEvent:(NSEvent*)anEvent
1866 NSEventType type = [anEvent type];
1868 if (type == NSFlagsChanged)
1869 self.lastFlagsChanged = anEvent;
1870 else if (type == NSMouseMoved || type == NSLeftMouseDragged ||
1871 type == NSRightMouseDragged || type == NSOtherMouseDragged)
1873 [self handleMouseMove:anEvent];
1874 ret = mouseCaptureWindow && ![windowsBeingDragged count];
1876 else if (type == NSLeftMouseDown || type == NSLeftMouseUp ||
1877 type == NSRightMouseDown || type == NSRightMouseUp ||
1878 type == NSOtherMouseDown || type == NSOtherMouseUp)
1880 [self handleMouseButton:anEvent];
1881 ret = mouseCaptureWindow && ![windowsBeingDragged count];
1883 else if (type == NSScrollWheel)
1885 [self handleScrollWheel:anEvent];
1886 ret = mouseCaptureWindow != nil;
1888 else if (type == NSKeyUp)
1890 uint16_t keyCode = [anEvent keyCode];
1891 if ([self isKeyPressed:keyCode])
1893 WineWindow* window = (WineWindow*)[anEvent window];
1894 [self noteKey:keyCode pressed:FALSE];
1895 if ([window isKindOfClass:[WineWindow class]])
1896 [window postKeyEvent:anEvent];
1899 else if (type == NSAppKitDefined)
1901 short subtype = [anEvent subtype];
1903 // These subtypes are not documented but they appear to mean
1904 // "a window is being dragged" and "a window is no longer being
1905 // dragged", respectively.
1906 if (subtype == 20 || subtype == 21)
1908 WineWindow* window = (WineWindow*)[anEvent window];
1909 if ([window isKindOfClass:[WineWindow class]])
1911 macdrv_event* event;
1916 [windowsBeingDragged addObject:window];
1917 eventType = WINDOW_DRAG_BEGIN;
1921 [windowsBeingDragged removeObject:window];
1922 eventType = WINDOW_DRAG_END;
1924 [self updateCursorClippingState];
1926 event = macdrv_create_event(eventType, window);
1927 [window.queue postEvent:event];
1928 macdrv_release_event(event);
1936 - (void) didSendEvent:(NSEvent*)anEvent
1938 NSEventType type = [anEvent type];
1940 if (type == NSKeyDown && ![anEvent isARepeat] && [anEvent keyCode] == kVK_Tab)
1942 NSUInteger modifiers = [anEvent modifierFlags];
1943 if ((modifiers & NSCommandKeyMask) &&
1944 !(modifiers & (NSControlKeyMask | NSAlternateKeyMask)))
1946 // Command-Tab and Command-Shift-Tab would normally be intercepted
1947 // by the system to switch applications. If we're seeing it, it's
1948 // presumably because we've captured the displays, preventing
1949 // normal application switching. Do it manually.
1950 [self handleCommandTab];
1955 - (void) setupObservations
1957 NSNotificationCenter* nc = [NSNotificationCenter defaultCenter];
1958 NSNotificationCenter* wsnc = [[NSWorkspace sharedWorkspace] notificationCenter];
1959 NSDistributedNotificationCenter* dnc = [NSDistributedNotificationCenter defaultCenter];
1961 [nc addObserverForName:NSWindowDidBecomeKeyNotification
1964 usingBlock:^(NSNotification *note){
1965 NSWindow* window = [note object];
1966 [keyWindows removeObjectIdenticalTo:window];
1967 [keyWindows insertObject:window atIndex:0];
1970 [nc addObserverForName:NSWindowWillCloseNotification
1972 queue:[NSOperationQueue mainQueue]
1973 usingBlock:^(NSNotification *note){
1974 NSWindow* window = [note object];
1975 if ([window isKindOfClass:[WineWindow class]] && [(WineWindow*)window isFakingClose])
1977 [keyWindows removeObjectIdenticalTo:window];
1978 if (window == lastTargetWindow)
1979 lastTargetWindow = nil;
1980 if (window == self.mouseCaptureWindow)
1981 self.mouseCaptureWindow = nil;
1982 if ([window isKindOfClass:[WineWindow class]] && [(WineWindow*)window isFullscreen])
1984 dispatch_after(dispatch_time(DISPATCH_TIME_NOW, 0), dispatch_get_main_queue(), ^{
1985 [self updateFullscreenWindows];
1988 [windowsBeingDragged removeObject:window];
1989 [self updateCursorClippingState];
1992 [nc addObserver:self
1993 selector:@selector(keyboardSelectionDidChange)
1994 name:NSTextInputContextKeyboardSelectionDidChangeNotification
1997 /* The above notification isn't sent unless the NSTextInputContext
1998 class has initialized itself. Poke it. */
1999 [NSTextInputContext self];
2001 [wsnc addObserver:self
2002 selector:@selector(activeSpaceDidChange)
2003 name:NSWorkspaceActiveSpaceDidChangeNotification
2006 [nc addObserver:self
2007 selector:@selector(releaseMouseCapture)
2008 name:NSMenuDidBeginTrackingNotification
2011 [dnc addObserver:self
2012 selector:@selector(releaseMouseCapture)
2013 name:@"com.apple.HIToolbox.beginMenuTrackingNotification"
2015 suspensionBehavior:NSNotificationSuspensionBehaviorDrop];
2017 [dnc addObserver:self
2018 selector:@selector(enabledKeyboardInputSourcesChanged)
2019 name:(NSString*)kTISNotifyEnabledKeyboardInputSourcesChanged
2023 - (BOOL) inputSourceIsInputMethod
2025 if (!inputSourceIsInputMethodValid)
2027 TISInputSourceRef inputSource = TISCopyCurrentKeyboardInputSource();
2030 CFStringRef type = TISGetInputSourceProperty(inputSource, kTISPropertyInputSourceType);
2031 inputSourceIsInputMethod = !CFEqual(type, kTISTypeKeyboardLayout);
2032 CFRelease(inputSource);
2035 inputSourceIsInputMethod = FALSE;
2036 inputSourceIsInputMethodValid = TRUE;
2039 return inputSourceIsInputMethod;
2042 - (void) releaseMouseCapture
2044 // This might be invoked on a background thread by the distributed
2045 // notification center. Shunt it to the main thread.
2046 if (![NSThread isMainThread])
2048 dispatch_async(dispatch_get_main_queue(), ^{ [self releaseMouseCapture]; });
2052 if (mouseCaptureWindow)
2054 macdrv_event* event;
2056 event = macdrv_create_event(RELEASE_CAPTURE, mouseCaptureWindow);
2057 [mouseCaptureWindow.queue postEvent:event];
2058 macdrv_release_event(event);
2062 - (void) unminimizeWindowIfNoneVisible
2064 if (![self frontWineWindow])
2066 for (WineWindow* window in [NSApp windows])
2068 if ([window isKindOfClass:[WineWindow class]] && [window isMiniaturized])
2070 [window deminiaturize:self];
2079 * ---------- NSApplicationDelegate methods ----------
2081 - (void)applicationDidBecomeActive:(NSNotification *)notification
2083 NSNumber* displayID;
2084 NSDictionary* modesToRealize = [latentDisplayModes autorelease];
2086 latentDisplayModes = [[NSMutableDictionary alloc] init];
2087 for (displayID in modesToRealize)
2089 CGDisplayModeRef mode = (CGDisplayModeRef)[modesToRealize objectForKey:displayID];
2090 [self setMode:mode forDisplay:[displayID unsignedIntValue]];
2093 [self updateCursorClippingState];
2095 [self updateFullscreenWindows];
2096 [self adjustWindowLevels:YES];
2099 [self unminimizeWindowIfNoneVisible];
2102 // If a Wine process terminates abruptly while it has the display captured
2103 // and switched to a different resolution, Mac OS X will uncapture the
2104 // displays and switch their resolutions back. However, the other Wine
2105 // processes won't have their notion of the desktop rect changed back.
2106 // This can lead them to refuse to draw or acknowledge clicks in certain
2107 // portions of their windows.
2109 // To solve this, we synthesize a displays-changed event whenever we're
2110 // activated. This will provoke a re-synchronization of Wine's notion of
2111 // the desktop rect with the actual state.
2112 [self sendDisplaysChanged:TRUE];
2114 // The cursor probably moved while we were inactive. Accumulated mouse
2115 // movement deltas are invalidated. Make sure the next mouse move event
2116 // starts over from an absolute baseline.
2117 forceNextMouseMoveAbsolute = TRUE;
2120 - (void)applicationDidChangeScreenParameters:(NSNotification *)notification
2122 primaryScreenHeightValid = FALSE;
2123 [self sendDisplaysChanged:FALSE];
2124 [self adjustWindowLevels];
2126 // When the display configuration changes, the cursor position may jump.
2127 // Accumulated mouse movement deltas are invalidated. Make sure the next
2128 // mouse move event starts over from an absolute baseline.
2129 forceNextMouseMoveAbsolute = TRUE;
2132 - (void)applicationDidResignActive:(NSNotification *)notification
2134 macdrv_event* event;
2135 WineEventQueue* queue;
2137 [self updateCursorClippingState];
2139 [self invalidateGotFocusEvents];
2141 event = macdrv_create_event(APP_DEACTIVATED, nil);
2143 [eventQueuesLock lock];
2144 for (queue in eventQueues)
2145 [queue postEvent:event];
2146 [eventQueuesLock unlock];
2148 macdrv_release_event(event);
2150 [self releaseMouseCapture];
2153 - (void) applicationDidUnhide:(NSNotification*)aNotification
2155 [self adjustWindowLevels];
2158 - (BOOL) applicationShouldHandleReopen:(NSApplication*)theApplication hasVisibleWindows:(BOOL)flag
2160 // Note that "flag" is often wrong. WineWindows are NSPanels and NSPanels
2161 // don't count as "visible windows" for this purpose.
2162 [self unminimizeWindowIfNoneVisible];
2166 - (NSApplicationTerminateReply) applicationShouldTerminate:(NSApplication *)sender
2168 NSApplicationTerminateReply ret = NSTerminateNow;
2169 NSAppleEventManager* m = [NSAppleEventManager sharedAppleEventManager];
2170 NSAppleEventDescriptor* desc = [m currentAppleEvent];
2171 macdrv_event* event;
2172 WineEventQueue* queue;
2174 event = macdrv_create_event(APP_QUIT_REQUESTED, nil);
2176 switch ([[desc attributeDescriptorForKeyword:kAEQuitReason] int32Value])
2179 case kAEReallyLogOut:
2180 event->app_quit_requested.reason = QUIT_REASON_LOGOUT;
2182 case kAEShowRestartDialog:
2183 event->app_quit_requested.reason = QUIT_REASON_RESTART;
2185 case kAEShowShutdownDialog:
2186 event->app_quit_requested.reason = QUIT_REASON_SHUTDOWN;
2189 event->app_quit_requested.reason = QUIT_REASON_NONE;
2193 [eventQueuesLock lock];
2195 if ([eventQueues count])
2197 for (queue in eventQueues)
2198 [queue postEvent:event];
2199 ret = NSTerminateLater;
2202 [eventQueuesLock unlock];
2204 macdrv_release_event(event);
2209 - (void)applicationWillResignActive:(NSNotification *)notification
2211 [self adjustWindowLevels:NO];
2214 /***********************************************************************
2217 * Run-loop-source perform callback. Pull request blocks from the
2218 * array of queued requests and invoke them.
2220 static void PerformRequest(void *info)
2222 WineApplicationController* controller = [WineApplicationController sharedController];
2226 __block dispatch_block_t block;
2228 dispatch_sync(controller->requestsManipQueue, ^{
2229 if ([controller->requests count])
2231 block = (dispatch_block_t)[[controller->requests objectAtIndex:0] retain];
2232 [controller->requests removeObjectAtIndex:0];
2246 /***********************************************************************
2249 * Run a block on the main thread asynchronously.
2251 void OnMainThreadAsync(dispatch_block_t block)
2253 WineApplicationController* controller = [WineApplicationController sharedController];
2255 block = [block copy];
2256 dispatch_sync(controller->requestsManipQueue, ^{
2257 [controller->requests addObject:block];
2260 CFRunLoopSourceSignal(controller->requestSource);
2261 CFRunLoopWakeUp(CFRunLoopGetMain());
2266 /***********************************************************************
2269 void LogError(const char* func, NSString* format, ...)
2272 va_start(args, format);
2273 LogErrorv(func, format, args);
2277 /***********************************************************************
2280 void LogErrorv(const char* func, NSString* format, va_list args)
2282 NSAutoreleasePool* pool = [[NSAutoreleasePool alloc] init];
2284 NSString* message = [[NSString alloc] initWithFormat:format arguments:args];
2285 fprintf(stderr, "err:%s:%s", func, [message UTF8String]);
2291 /***********************************************************************
2292 * macdrv_window_rejected_focus
2294 * Pass focus to the next window that hasn't already rejected this same
2295 * WINDOW_GOT_FOCUS event.
2297 void macdrv_window_rejected_focus(const macdrv_event *event)
2300 [[WineApplicationController sharedController] windowRejectedFocusEvent:event];
2304 /***********************************************************************
2305 * macdrv_get_input_source_info
2307 * Returns the keyboard layout uchr data, keyboard type and input source.
2309 void macdrv_get_input_source_info(CFDataRef* uchr, CGEventSourceKeyboardType* keyboard_type, int* is_iso, TISInputSourceRef* input_source)
2312 TISInputSourceRef inputSourceLayout;
2314 inputSourceLayout = TISCopyCurrentKeyboardLayoutInputSource();
2315 if (inputSourceLayout)
2317 CFDataRef data = TISGetInputSourceProperty(inputSourceLayout,
2318 kTISPropertyUnicodeKeyLayoutData);
2319 *uchr = CFDataCreateCopy(NULL, data);
2320 CFRelease(inputSourceLayout);
2322 *keyboard_type = [WineApplicationController sharedController].keyboardType;
2323 *is_iso = (KBGetLayoutType(*keyboard_type) == kKeyboardISO);
2324 *input_source = TISCopyCurrentKeyboardInputSource();
2329 /***********************************************************************
2332 * Play the beep sound configured by the user in System Preferences.
2334 void macdrv_beep(void)
2336 OnMainThreadAsync(^{
2341 /***********************************************************************
2342 * macdrv_set_display_mode
2344 int macdrv_set_display_mode(const struct macdrv_display* display,
2345 CGDisplayModeRef display_mode)
2350 ret = [[WineApplicationController sharedController] setMode:display_mode forDisplay:display->displayID];
2356 /***********************************************************************
2361 * If name is non-NULL, it is a selector for a class method on NSCursor
2362 * identifying the cursor to set. In that case, frames is ignored. If
2363 * name is NULL, then frames is used.
2365 * frames is an array of dictionaries. Each dictionary is a frame of
2366 * an animated cursor. Under the key "image" is a CGImage for the
2367 * frame. Under the key "duration" is a CFNumber time interval, in
2368 * seconds, for how long that frame is presented before proceeding to
2369 * the next frame. Under the key "hotSpot" is a CFDictionary encoding a
2370 * CGPoint, to be decoded using CGPointMakeWithDictionaryRepresentation().
2371 * This is the hot spot, measured in pixels down and to the right of the
2372 * top-left corner of the image.
2374 * If the array has exactly 1 element, the cursor is static, not
2375 * animated. If frames is NULL or has 0 elements, the cursor is hidden.
2377 void macdrv_set_cursor(CFStringRef name, CFArrayRef frames)
2381 sel = NSSelectorFromString((NSString*)name);
2384 OnMainThreadAsync(^{
2385 WineApplicationController* controller = [WineApplicationController sharedController];
2386 [controller setCursorWithFrames:nil];
2387 controller.cursor = [NSCursor performSelector:sel];
2388 [controller unhideCursor];
2393 NSArray* nsframes = (NSArray*)frames;
2394 if ([nsframes count])
2396 OnMainThreadAsync(^{
2397 [[WineApplicationController sharedController] setCursorWithFrames:nsframes];
2402 OnMainThreadAsync(^{
2403 WineApplicationController* controller = [WineApplicationController sharedController];
2404 [controller setCursorWithFrames:nil];
2405 [controller hideCursor];
2411 /***********************************************************************
2412 * macdrv_get_cursor_position
2414 * Obtains the current cursor position. Returns zero on failure,
2415 * non-zero on success.
2417 int macdrv_get_cursor_position(CGPoint *pos)
2420 NSPoint location = [NSEvent mouseLocation];
2421 location = [[WineApplicationController sharedController] flippedMouseLocation:location];
2422 *pos = NSPointToCGPoint(location);
2428 /***********************************************************************
2429 * macdrv_set_cursor_position
2431 * Sets the cursor position without generating events. Returns zero on
2432 * failure, non-zero on success.
2434 int macdrv_set_cursor_position(CGPoint pos)
2439 ret = [[WineApplicationController sharedController] setCursorPosition:pos];
2445 /***********************************************************************
2446 * macdrv_clip_cursor
2448 * Sets the cursor cursor clipping rectangle. If the rectangle is equal
2449 * to or larger than the whole desktop region, the cursor is unclipped.
2450 * Returns zero on failure, non-zero on success.
2452 int macdrv_clip_cursor(CGRect rect)
2457 WineApplicationController* controller = [WineApplicationController sharedController];
2458 BOOL clipping = FALSE;
2460 if (!CGRectIsInfinite(rect))
2462 NSRect nsrect = NSRectFromCGRect(rect);
2465 /* Convert the rectangle from top-down coords to bottom-up. */
2466 [controller flipRect:&nsrect];
2469 for (screen in [NSScreen screens])
2471 if (!NSContainsRect(nsrect, [screen frame]))
2480 ret = [controller startClippingCursor:rect];
2482 ret = [controller stopClippingCursor];
2488 /***********************************************************************
2489 * macdrv_set_application_icon
2491 * Set the application icon. The images array contains CGImages. If
2492 * there are more than one, then they represent different sizes or
2493 * color depths from the icon resource. If images is NULL or empty,
2494 * restores the default application image.
2496 void macdrv_set_application_icon(CFArrayRef images)
2498 NSArray* imageArray = (NSArray*)images;
2500 OnMainThreadAsync(^{
2501 [[WineApplicationController sharedController] setApplicationIconFromCGImageArray:imageArray];
2505 /***********************************************************************
2508 void macdrv_quit_reply(int reply)
2511 [NSApp replyToApplicationShouldTerminate:reply];
2515 /***********************************************************************
2516 * macdrv_using_input_method
2518 int macdrv_using_input_method(void)
2523 ret = [[WineApplicationController sharedController] inputSourceIsInputMethod];
2529 /***********************************************************************
2530 * macdrv_set_mouse_capture_window
2532 void macdrv_set_mouse_capture_window(macdrv_window window)
2534 WineWindow* w = (WineWindow*)window;
2536 [w.queue discardEventsMatchingMask:event_mask_for_type(RELEASE_CAPTURE) forWindow:w];
2539 [[WineApplicationController sharedController] setMouseCaptureWindow:w];
2543 const CFStringRef macdrv_input_source_input_key = CFSTR("input");
2544 const CFStringRef macdrv_input_source_type_key = CFSTR("type");
2545 const CFStringRef macdrv_input_source_lang_key = CFSTR("lang");
2547 /***********************************************************************
2548 * macdrv_create_input_source_list
2550 CFArrayRef macdrv_create_input_source_list(void)
2552 CFMutableArrayRef ret = CFArrayCreateMutable(NULL, 0, &kCFTypeArrayCallBacks);
2555 CFArrayRef input_list;
2556 CFDictionaryRef filter_dict;
2557 const void *filter_keys[2] = { kTISPropertyInputSourceCategory, kTISPropertyInputSourceIsSelectCapable };
2558 const void *filter_values[2] = { kTISCategoryKeyboardInputSource, kCFBooleanTrue };
2561 filter_dict = CFDictionaryCreate(NULL, filter_keys, filter_values, sizeof(filter_keys)/sizeof(filter_keys[0]),
2562 &kCFTypeDictionaryKeyCallBacks, &kCFTypeDictionaryValueCallBacks);
2563 input_list = TISCreateInputSourceList(filter_dict, false);
2565 for (i = 0; i < CFArrayGetCount(input_list); i++)
2567 TISInputSourceRef input = (TISInputSourceRef)CFArrayGetValueAtIndex(input_list, i);
2568 CFArrayRef source_langs = TISGetInputSourceProperty(input, kTISPropertyInputSourceLanguages);
2569 CFDictionaryRef entry;
2570 const void *input_keys[3] = { macdrv_input_source_input_key,
2571 macdrv_input_source_type_key,
2572 macdrv_input_source_lang_key };
2573 const void *input_values[3];
2575 input_values[0] = input;
2576 input_values[1] = TISGetInputSourceProperty(input, kTISPropertyInputSourceType);
2577 input_values[2] = CFArrayGetValueAtIndex(source_langs, 0);
2579 entry = CFDictionaryCreate(NULL, input_keys, input_values, sizeof(input_keys) / sizeof(input_keys[0]),
2580 &kCFTypeDictionaryKeyCallBacks, &kCFTypeDictionaryValueCallBacks);
2582 CFArrayAppendValue(ret, entry);
2585 CFRelease(input_list);
2586 CFRelease(filter_dict);
2592 int macdrv_select_input_source(TISInputSourceRef input_source)
2594 __block int ret = FALSE;
2597 ret = (TISSelectInputSource(input_source) == noErr);