window.rs

   1use super::{display_bounds_from_native, ns_string, MacDisplay, MetalRenderer, NSRange};
   2use crate::{
   3    display_bounds_to_native, point, px, size, AnyWindowHandle, Bounds, ExternalPaths,
   4    FileDropEvent, ForegroundExecutor, GlobalPixels, InputEvent, KeyDownEvent, Keystroke,
   5    Modifiers, ModifiersChangedEvent, MouseButton, MouseDownEvent, MouseMoveEvent, MouseUpEvent,
   6    Pixels, PlatformAtlas, PlatformDisplay, PlatformInputHandler, PlatformWindow, Point,
   7    PromptLevel, Scene, Size, Timer, WindowAppearance, WindowBounds, WindowKind, WindowOptions,
   8};
   9use block::ConcreteBlock;
  10use cocoa::{
  11    appkit::{
  12        CGPoint, NSApplication, NSBackingStoreBuffered, NSFilenamesPboardType, NSPasteboard,
  13        NSScreen, NSView, NSViewHeightSizable, NSViewWidthSizable, NSWindow, NSWindowButton,
  14        NSWindowCollectionBehavior, NSWindowStyleMask, NSWindowTitleVisibility,
  15    },
  16    base::{id, nil},
  17    foundation::{
  18        NSArray, NSAutoreleasePool, NSDictionary, NSFastEnumeration, NSInteger, NSPoint, NSRect,
  19        NSSize, NSString, NSUInteger,
  20    },
  21};
  22use core_graphics::display::CGRect;
  23use ctor::ctor;
  24use foreign_types::ForeignTypeRef;
  25use futures::channel::oneshot;
  26use objc::{
  27    class,
  28    declare::ClassDecl,
  29    msg_send,
  30    runtime::{Class, Object, Protocol, Sel, BOOL, NO, YES},
  31    sel, sel_impl,
  32};
  33use parking_lot::Mutex;
  34use smallvec::SmallVec;
  35use std::{
  36    any::Any,
  37    cell::{Cell, RefCell},
  38    ffi::{c_void, CStr},
  39    mem,
  40    ops::Range,
  41    os::raw::c_char,
  42    path::PathBuf,
  43    ptr,
  44    rc::Rc,
  45    sync::{Arc, Weak},
  46    time::Duration,
  47};
  48
  49const WINDOW_STATE_IVAR: &str = "windowState";
  50
  51static mut WINDOW_CLASS: *const Class = ptr::null();
  52static mut PANEL_CLASS: *const Class = ptr::null();
  53static mut VIEW_CLASS: *const Class = ptr::null();
  54
  55#[allow(non_upper_case_globals)]
  56const NSWindowStyleMaskNonactivatingPanel: NSWindowStyleMask =
  57    unsafe { NSWindowStyleMask::from_bits_unchecked(1 << 7) };
  58#[allow(non_upper_case_globals)]
  59const NSNormalWindowLevel: NSInteger = 0;
  60#[allow(non_upper_case_globals)]
  61const NSPopUpWindowLevel: NSInteger = 101;
  62#[allow(non_upper_case_globals)]
  63const NSTrackingMouseEnteredAndExited: NSUInteger = 0x01;
  64#[allow(non_upper_case_globals)]
  65const NSTrackingMouseMoved: NSUInteger = 0x02;
  66#[allow(non_upper_case_globals)]
  67const NSTrackingActiveAlways: NSUInteger = 0x80;
  68#[allow(non_upper_case_globals)]
  69const NSTrackingInVisibleRect: NSUInteger = 0x200;
  70#[allow(non_upper_case_globals)]
  71const NSWindowAnimationBehaviorUtilityWindow: NSInteger = 4;
  72#[allow(non_upper_case_globals)]
  73const NSViewLayerContentsRedrawDuringViewResize: NSInteger = 2;
  74// https://developer.apple.com/documentation/appkit/nsdragoperation
  75#[allow(non_upper_case_globals)]
  76type NSDragOperation = NSUInteger;
  77#[allow(non_upper_case_globals)]
  78const NSDragOperationNone: NSDragOperation = 0;
  79#[allow(non_upper_case_globals)]
  80const NSDragOperationCopy: NSDragOperation = 1;
  81
  82#[ctor]
  83unsafe fn build_classes() {
  84    ::util::gpui2_loaded();
  85
  86    WINDOW_CLASS = build_window_class("GPUIWindow", class!(NSWindow));
  87    PANEL_CLASS = build_window_class("GPUIPanel", class!(NSPanel));
  88    VIEW_CLASS = {
  89        let mut decl = ClassDecl::new("GPUIView", class!(NSView)).unwrap();
  90        decl.add_ivar::<*mut c_void>(WINDOW_STATE_IVAR);
  91
  92        decl.add_method(sel!(dealloc), dealloc_view as extern "C" fn(&Object, Sel));
  93
  94        decl.add_method(
  95            sel!(performKeyEquivalent:),
  96            handle_key_equivalent as extern "C" fn(&Object, Sel, id) -> BOOL,
  97        );
  98        decl.add_method(
  99            sel!(keyDown:),
 100            handle_key_down as extern "C" fn(&Object, Sel, id),
 101        );
 102        decl.add_method(
 103            sel!(mouseDown:),
 104            handle_view_event as extern "C" fn(&Object, Sel, id),
 105        );
 106        decl.add_method(
 107            sel!(mouseUp:),
 108            handle_view_event as extern "C" fn(&Object, Sel, id),
 109        );
 110        decl.add_method(
 111            sel!(rightMouseDown:),
 112            handle_view_event as extern "C" fn(&Object, Sel, id),
 113        );
 114        decl.add_method(
 115            sel!(rightMouseUp:),
 116            handle_view_event as extern "C" fn(&Object, Sel, id),
 117        );
 118        decl.add_method(
 119            sel!(otherMouseDown:),
 120            handle_view_event as extern "C" fn(&Object, Sel, id),
 121        );
 122        decl.add_method(
 123            sel!(otherMouseUp:),
 124            handle_view_event as extern "C" fn(&Object, Sel, id),
 125        );
 126        decl.add_method(
 127            sel!(mouseMoved:),
 128            handle_view_event as extern "C" fn(&Object, Sel, id),
 129        );
 130        decl.add_method(
 131            sel!(mouseExited:),
 132            handle_view_event as extern "C" fn(&Object, Sel, id),
 133        );
 134        decl.add_method(
 135            sel!(mouseDragged:),
 136            handle_view_event as extern "C" fn(&Object, Sel, id),
 137        );
 138        decl.add_method(
 139            sel!(scrollWheel:),
 140            handle_view_event as extern "C" fn(&Object, Sel, id),
 141        );
 142        decl.add_method(
 143            sel!(flagsChanged:),
 144            handle_view_event as extern "C" fn(&Object, Sel, id),
 145        );
 146        decl.add_method(
 147            sel!(cancelOperation:),
 148            cancel_operation as extern "C" fn(&Object, Sel, id),
 149        );
 150
 151        decl.add_method(
 152            sel!(makeBackingLayer),
 153            make_backing_layer as extern "C" fn(&Object, Sel) -> id,
 154        );
 155
 156        decl.add_protocol(Protocol::get("CALayerDelegate").unwrap());
 157        decl.add_method(
 158            sel!(viewDidChangeBackingProperties),
 159            view_did_change_backing_properties as extern "C" fn(&Object, Sel),
 160        );
 161        decl.add_method(
 162            sel!(setFrameSize:),
 163            set_frame_size as extern "C" fn(&Object, Sel, NSSize),
 164        );
 165        decl.add_method(
 166            sel!(displayLayer:),
 167            display_layer as extern "C" fn(&Object, Sel, id),
 168        );
 169
 170        decl.add_protocol(Protocol::get("NSTextInputClient").unwrap());
 171        decl.add_method(
 172            sel!(validAttributesForMarkedText),
 173            valid_attributes_for_marked_text as extern "C" fn(&Object, Sel) -> id,
 174        );
 175        decl.add_method(
 176            sel!(hasMarkedText),
 177            has_marked_text as extern "C" fn(&Object, Sel) -> BOOL,
 178        );
 179        decl.add_method(
 180            sel!(markedRange),
 181            marked_range as extern "C" fn(&Object, Sel) -> NSRange,
 182        );
 183        decl.add_method(
 184            sel!(selectedRange),
 185            selected_range as extern "C" fn(&Object, Sel) -> NSRange,
 186        );
 187        decl.add_method(
 188            sel!(firstRectForCharacterRange:actualRange:),
 189            first_rect_for_character_range as extern "C" fn(&Object, Sel, NSRange, id) -> NSRect,
 190        );
 191        decl.add_method(
 192            sel!(insertText:replacementRange:),
 193            insert_text as extern "C" fn(&Object, Sel, id, NSRange),
 194        );
 195        decl.add_method(
 196            sel!(setMarkedText:selectedRange:replacementRange:),
 197            set_marked_text as extern "C" fn(&Object, Sel, id, NSRange, NSRange),
 198        );
 199        decl.add_method(sel!(unmarkText), unmark_text as extern "C" fn(&Object, Sel));
 200        decl.add_method(
 201            sel!(attributedSubstringForProposedRange:actualRange:),
 202            attributed_substring_for_proposed_range
 203                as extern "C" fn(&Object, Sel, NSRange, *mut c_void) -> id,
 204        );
 205        decl.add_method(
 206            sel!(viewDidChangeEffectiveAppearance),
 207            view_did_change_effective_appearance as extern "C" fn(&Object, Sel),
 208        );
 209
 210        // Suppress beep on keystrokes with modifier keys.
 211        decl.add_method(
 212            sel!(doCommandBySelector:),
 213            do_command_by_selector as extern "C" fn(&Object, Sel, Sel),
 214        );
 215
 216        decl.add_method(
 217            sel!(acceptsFirstMouse:),
 218            accepts_first_mouse as extern "C" fn(&Object, Sel, id) -> BOOL,
 219        );
 220
 221        decl.register()
 222    };
 223}
 224
 225pub fn convert_mouse_position(position: NSPoint, window_height: Pixels) -> Point<Pixels> {
 226    point(
 227        px(position.x as f32),
 228        // MacOS screen coordinates are relative to bottom left
 229        window_height - px(position.y as f32),
 230    )
 231}
 232
 233unsafe fn build_window_class(name: &'static str, superclass: &Class) -> *const Class {
 234    let mut decl = ClassDecl::new(name, superclass).unwrap();
 235    decl.add_ivar::<*mut c_void>(WINDOW_STATE_IVAR);
 236    decl.add_method(sel!(dealloc), dealloc_window as extern "C" fn(&Object, Sel));
 237    decl.add_method(
 238        sel!(canBecomeMainWindow),
 239        yes as extern "C" fn(&Object, Sel) -> BOOL,
 240    );
 241    decl.add_method(
 242        sel!(canBecomeKeyWindow),
 243        yes as extern "C" fn(&Object, Sel) -> BOOL,
 244    );
 245    decl.add_method(
 246        sel!(windowDidResize:),
 247        window_did_resize as extern "C" fn(&Object, Sel, id),
 248    );
 249    decl.add_method(
 250        sel!(windowWillEnterFullScreen:),
 251        window_will_enter_fullscreen as extern "C" fn(&Object, Sel, id),
 252    );
 253    decl.add_method(
 254        sel!(windowWillExitFullScreen:),
 255        window_will_exit_fullscreen as extern "C" fn(&Object, Sel, id),
 256    );
 257    decl.add_method(
 258        sel!(windowDidMove:),
 259        window_did_move as extern "C" fn(&Object, Sel, id),
 260    );
 261    decl.add_method(
 262        sel!(windowDidBecomeKey:),
 263        window_did_change_key_status as extern "C" fn(&Object, Sel, id),
 264    );
 265    decl.add_method(
 266        sel!(windowDidResignKey:),
 267        window_did_change_key_status as extern "C" fn(&Object, Sel, id),
 268    );
 269    decl.add_method(
 270        sel!(windowShouldClose:),
 271        window_should_close as extern "C" fn(&Object, Sel, id) -> BOOL,
 272    );
 273    decl.add_method(sel!(close), close_window as extern "C" fn(&Object, Sel));
 274
 275    decl.add_method(
 276        sel!(draggingEntered:),
 277        dragging_entered as extern "C" fn(&Object, Sel, id) -> NSDragOperation,
 278    );
 279    decl.add_method(
 280        sel!(draggingUpdated:),
 281        dragging_updated as extern "C" fn(&Object, Sel, id) -> NSDragOperation,
 282    );
 283    decl.add_method(
 284        sel!(draggingExited:),
 285        dragging_exited as extern "C" fn(&Object, Sel, id),
 286    );
 287    decl.add_method(
 288        sel!(performDragOperation:),
 289        perform_drag_operation as extern "C" fn(&Object, Sel, id) -> BOOL,
 290    );
 291    decl.add_method(
 292        sel!(concludeDragOperation:),
 293        conclude_drag_operation as extern "C" fn(&Object, Sel, id),
 294    );
 295
 296    decl.register()
 297}
 298
 299///Used to track what the IME does when we send it a keystroke.
 300///This is only used to handle the case where the IME mysteriously
 301///swallows certain keys.
 302///
 303///Basically a direct copy of the approach that WezTerm uses in:
 304///github.com/wez/wezterm : d5755f3e : window/src/os/macos/window.rs
 305enum ImeState {
 306    Continue,
 307    Acted,
 308    None,
 309}
 310
 311struct InsertText {
 312    replacement_range: Option<Range<usize>>,
 313    text: String,
 314}
 315
 316struct MacWindowState {
 317    handle: AnyWindowHandle,
 318    executor: ForegroundExecutor,
 319    native_window: id,
 320    renderer: MetalRenderer,
 321    scene_to_render: Option<Scene>,
 322    kind: WindowKind,
 323    event_callback: Option<Box<dyn FnMut(InputEvent) -> bool>>,
 324    activate_callback: Option<Box<dyn FnMut(bool)>>,
 325    resize_callback: Option<Box<dyn FnMut(Size<Pixels>, f32)>>,
 326    fullscreen_callback: Option<Box<dyn FnMut(bool)>>,
 327    moved_callback: Option<Box<dyn FnMut()>>,
 328    should_close_callback: Option<Box<dyn FnMut() -> bool>>,
 329    close_callback: Option<Box<dyn FnOnce()>>,
 330    appearance_changed_callback: Option<Box<dyn FnMut()>>,
 331    input_handler: Option<Box<dyn PlatformInputHandler>>,
 332    pending_key_down: Option<(KeyDownEvent, Option<InsertText>)>,
 333    last_key_equivalent: Option<KeyDownEvent>,
 334    synthetic_drag_counter: usize,
 335    last_fresh_keydown: Option<Keystroke>,
 336    traffic_light_position: Option<Point<Pixels>>,
 337    previous_modifiers_changed_event: Option<InputEvent>,
 338    // State tracking what the IME did after the last request
 339    ime_state: ImeState,
 340    // Retains the last IME Text
 341    ime_text: Option<String>,
 342}
 343
 344impl MacWindowState {
 345    fn move_traffic_light(&self) {
 346        if let Some(traffic_light_position) = self.traffic_light_position {
 347            let titlebar_height = self.titlebar_height();
 348
 349            unsafe {
 350                let close_button: id = msg_send![
 351                    self.native_window,
 352                    standardWindowButton: NSWindowButton::NSWindowCloseButton
 353                ];
 354                let min_button: id = msg_send![
 355                    self.native_window,
 356                    standardWindowButton: NSWindowButton::NSWindowMiniaturizeButton
 357                ];
 358                let zoom_button: id = msg_send![
 359                    self.native_window,
 360                    standardWindowButton: NSWindowButton::NSWindowZoomButton
 361                ];
 362
 363                let mut close_button_frame: CGRect = msg_send![close_button, frame];
 364                let mut min_button_frame: CGRect = msg_send![min_button, frame];
 365                let mut zoom_button_frame: CGRect = msg_send![zoom_button, frame];
 366                let mut origin = point(
 367                    traffic_light_position.x,
 368                    titlebar_height
 369                        - traffic_light_position.y
 370                        - px(close_button_frame.size.height as f32),
 371                );
 372                let button_spacing =
 373                    px((min_button_frame.origin.x - close_button_frame.origin.x) as f32);
 374
 375                close_button_frame.origin = CGPoint::new(origin.x.into(), origin.y.into());
 376                let _: () = msg_send![close_button, setFrame: close_button_frame];
 377                origin.x += button_spacing;
 378
 379                min_button_frame.origin = CGPoint::new(origin.x.into(), origin.y.into());
 380                let _: () = msg_send![min_button, setFrame: min_button_frame];
 381                origin.x += button_spacing;
 382
 383                zoom_button_frame.origin = CGPoint::new(origin.x.into(), origin.y.into());
 384                let _: () = msg_send![zoom_button, setFrame: zoom_button_frame];
 385                origin.x += button_spacing;
 386            }
 387        }
 388    }
 389
 390    fn is_fullscreen(&self) -> bool {
 391        unsafe {
 392            let style_mask = self.native_window.styleMask();
 393            style_mask.contains(NSWindowStyleMask::NSFullScreenWindowMask)
 394        }
 395    }
 396
 397    fn bounds(&self) -> WindowBounds {
 398        unsafe {
 399            if self.is_fullscreen() {
 400                return WindowBounds::Fullscreen;
 401            }
 402
 403            let frame = self.frame();
 404            let screen_size = self.native_window.screen().visibleFrame().into();
 405            if frame.size == screen_size {
 406                WindowBounds::Maximized
 407            } else {
 408                WindowBounds::Fixed(frame)
 409            }
 410        }
 411    }
 412
 413    fn frame(&self) -> Bounds<GlobalPixels> {
 414        unsafe {
 415            let frame = NSWindow::frame(self.native_window);
 416            display_bounds_from_native(mem::transmute::<NSRect, CGRect>(frame))
 417        }
 418    }
 419
 420    fn content_size(&self) -> Size<Pixels> {
 421        let NSSize { width, height, .. } =
 422            unsafe { NSView::frame(self.native_window.contentView()) }.size;
 423        size(px(width as f32), px(height as f32))
 424    }
 425
 426    fn scale_factor(&self) -> f32 {
 427        get_scale_factor(self.native_window)
 428    }
 429
 430    fn titlebar_height(&self) -> Pixels {
 431        unsafe {
 432            let frame = NSWindow::frame(self.native_window);
 433            let content_layout_rect: CGRect = msg_send![self.native_window, contentLayoutRect];
 434            px((frame.size.height - content_layout_rect.size.height) as f32)
 435        }
 436    }
 437
 438    fn to_screen_ns_point(&self, point: Point<Pixels>) -> NSPoint {
 439        unsafe {
 440            let point = NSPoint::new(
 441                point.x.into(),
 442                (self.content_size().height - point.y).into(),
 443            );
 444            msg_send![self.native_window, convertPointToScreen: point]
 445        }
 446    }
 447}
 448
 449unsafe impl Send for MacWindowState {}
 450
 451pub struct MacWindow(Arc<Mutex<MacWindowState>>);
 452
 453impl MacWindow {
 454    pub fn open(
 455        handle: AnyWindowHandle,
 456        options: WindowOptions,
 457        executor: ForegroundExecutor,
 458    ) -> Self {
 459        unsafe {
 460            let pool = NSAutoreleasePool::new(nil);
 461
 462            let mut style_mask;
 463            if let Some(titlebar) = options.titlebar.as_ref() {
 464                style_mask = NSWindowStyleMask::NSClosableWindowMask
 465                    | NSWindowStyleMask::NSMiniaturizableWindowMask
 466                    | NSWindowStyleMask::NSResizableWindowMask
 467                    | NSWindowStyleMask::NSTitledWindowMask;
 468
 469                if titlebar.appears_transparent {
 470                    style_mask |= NSWindowStyleMask::NSFullSizeContentViewWindowMask;
 471                }
 472            } else {
 473                style_mask = NSWindowStyleMask::NSTitledWindowMask
 474                    | NSWindowStyleMask::NSFullSizeContentViewWindowMask;
 475            }
 476
 477            let native_window: id = match options.kind {
 478                WindowKind::Normal => msg_send![WINDOW_CLASS, alloc],
 479                WindowKind::PopUp => {
 480                    style_mask |= NSWindowStyleMaskNonactivatingPanel;
 481                    msg_send![PANEL_CLASS, alloc]
 482                }
 483            };
 484
 485            let display = options
 486                .display_id
 487                .and_then(|display_id| MacDisplay::all().find(|display| display.id() == display_id))
 488                .unwrap_or_else(|| MacDisplay::primary());
 489
 490            let mut target_screen = nil;
 491            let screens = NSScreen::screens(nil);
 492            let count: u64 = cocoa::foundation::NSArray::count(screens);
 493            for i in 0..count {
 494                let screen = cocoa::foundation::NSArray::objectAtIndex(screens, i);
 495                let device_description = NSScreen::deviceDescription(screen);
 496                let screen_number_key: id = NSString::alloc(nil).init_str("NSScreenNumber");
 497                let screen_number = device_description.objectForKey_(screen_number_key);
 498                let screen_number: NSUInteger = msg_send![screen_number, unsignedIntegerValue];
 499                if screen_number as u32 == display.id().0 {
 500                    target_screen = screen;
 501                    break;
 502                }
 503            }
 504
 505            let native_window = native_window.initWithContentRect_styleMask_backing_defer_screen_(
 506                NSRect::new(NSPoint::new(0., 0.), NSSize::new(1024., 768.)),
 507                style_mask,
 508                NSBackingStoreBuffered,
 509                NO,
 510                target_screen,
 511            );
 512            assert!(!native_window.is_null());
 513            let () = msg_send![
 514                native_window,
 515                registerForDraggedTypes:
 516                    NSArray::arrayWithObject(nil, NSFilenamesPboardType)
 517            ];
 518
 519            let screen = native_window.screen();
 520            match options.bounds {
 521                WindowBounds::Fullscreen => {
 522                    native_window.toggleFullScreen_(nil);
 523                }
 524                WindowBounds::Maximized => {
 525                    native_window.setFrame_display_(screen.visibleFrame(), YES);
 526                }
 527                WindowBounds::Fixed(bounds) => {
 528                    let display_bounds = display.bounds();
 529                    let frame = if bounds.intersects(&display_bounds) {
 530                        display_bounds_to_native(bounds)
 531                    } else {
 532                        display_bounds_to_native(display_bounds)
 533                    };
 534                    native_window.setFrame_display_(mem::transmute::<CGRect, NSRect>(frame), YES);
 535                }
 536            }
 537
 538            let native_view: id = msg_send![VIEW_CLASS, alloc];
 539            let native_view = NSView::init(native_view);
 540
 541            assert!(!native_view.is_null());
 542
 543            let window = Self(Arc::new(Mutex::new(MacWindowState {
 544                handle,
 545                executor,
 546                native_window,
 547                renderer: MetalRenderer::new(true),
 548                scene_to_render: None,
 549                kind: options.kind,
 550                event_callback: None,
 551                activate_callback: None,
 552                resize_callback: None,
 553                fullscreen_callback: None,
 554                moved_callback: None,
 555                should_close_callback: None,
 556                close_callback: None,
 557                appearance_changed_callback: None,
 558                input_handler: None,
 559                pending_key_down: None,
 560                last_key_equivalent: None,
 561                synthetic_drag_counter: 0,
 562                last_fresh_keydown: None,
 563                traffic_light_position: options
 564                    .titlebar
 565                    .as_ref()
 566                    .and_then(|titlebar| titlebar.traffic_light_position),
 567                previous_modifiers_changed_event: None,
 568                ime_state: ImeState::None,
 569                ime_text: None,
 570            })));
 571
 572            (*native_window).set_ivar(
 573                WINDOW_STATE_IVAR,
 574                Arc::into_raw(window.0.clone()) as *const c_void,
 575            );
 576            native_window.setDelegate_(native_window);
 577            (*native_view).set_ivar(
 578                WINDOW_STATE_IVAR,
 579                Arc::into_raw(window.0.clone()) as *const c_void,
 580            );
 581
 582            if let Some(title) = options
 583                .titlebar
 584                .as_ref()
 585                .and_then(|t| t.title.as_ref().map(AsRef::as_ref))
 586            {
 587                native_window.setTitle_(NSString::alloc(nil).init_str(title));
 588            }
 589
 590            native_window.setMovable_(options.is_movable as BOOL);
 591
 592            if options
 593                .titlebar
 594                .map_or(true, |titlebar| titlebar.appears_transparent)
 595            {
 596                native_window.setTitlebarAppearsTransparent_(YES);
 597                native_window.setTitleVisibility_(NSWindowTitleVisibility::NSWindowTitleHidden);
 598            }
 599
 600            native_view.setAutoresizingMask_(NSViewWidthSizable | NSViewHeightSizable);
 601            native_view.setWantsBestResolutionOpenGLSurface_(YES);
 602
 603            // From winit crate: On Mojave, views automatically become layer-backed shortly after
 604            // being added to a native_window. Changing the layer-backedness of a view breaks the
 605            // association between the view and its associated OpenGL context. To work around this,
 606            // on we explicitly make the view layer-backed up front so that AppKit doesn't do it
 607            // itself and break the association with its context.
 608            native_view.setWantsLayer(YES);
 609            let _: () = msg_send![
 610                native_view,
 611                setLayerContentsRedrawPolicy: NSViewLayerContentsRedrawDuringViewResize
 612            ];
 613
 614            native_window.setContentView_(native_view.autorelease());
 615            native_window.makeFirstResponder_(native_view);
 616
 617            if options.center {
 618                native_window.center();
 619            }
 620
 621            match options.kind {
 622                WindowKind::Normal => {
 623                    native_window.setLevel_(NSNormalWindowLevel);
 624                    native_window.setAcceptsMouseMovedEvents_(YES);
 625                }
 626                WindowKind::PopUp => {
 627                    // Use a tracking area to allow receiving MouseMoved events even when
 628                    // the window or application aren't active, which is often the case
 629                    // e.g. for notification windows.
 630                    let tracking_area: id = msg_send![class!(NSTrackingArea), alloc];
 631                    let _: () = msg_send![
 632                        tracking_area,
 633                        initWithRect: NSRect::new(NSPoint::new(0., 0.), NSSize::new(0., 0.))
 634                        options: NSTrackingMouseEnteredAndExited | NSTrackingMouseMoved | NSTrackingActiveAlways | NSTrackingInVisibleRect
 635                        owner: native_view
 636                        userInfo: nil
 637                    ];
 638                    let _: () =
 639                        msg_send![native_view, addTrackingArea: tracking_area.autorelease()];
 640
 641                    native_window.setLevel_(NSPopUpWindowLevel);
 642                    let _: () = msg_send![
 643                        native_window,
 644                        setAnimationBehavior: NSWindowAnimationBehaviorUtilityWindow
 645                    ];
 646                    native_window.setCollectionBehavior_(
 647                        NSWindowCollectionBehavior::NSWindowCollectionBehaviorCanJoinAllSpaces |
 648                        NSWindowCollectionBehavior::NSWindowCollectionBehaviorFullScreenAuxiliary
 649                    );
 650                }
 651            }
 652            if options.focus {
 653                native_window.makeKeyAndOrderFront_(nil);
 654            } else if options.show {
 655                native_window.orderFront_(nil);
 656            }
 657
 658            window.0.lock().move_traffic_light();
 659            pool.drain();
 660
 661            window
 662        }
 663    }
 664
 665    pub fn main_window() -> Option<AnyWindowHandle> {
 666        unsafe {
 667            let app = NSApplication::sharedApplication(nil);
 668            let main_window: id = msg_send![app, mainWindow];
 669            if msg_send![main_window, isKindOfClass: WINDOW_CLASS] {
 670                let handle = get_window_state(&*main_window).lock().handle;
 671                Some(handle)
 672            } else {
 673                None
 674            }
 675        }
 676    }
 677}
 678
 679impl Drop for MacWindow {
 680    fn drop(&mut self) {
 681        let this = self.0.lock();
 682        let window = this.native_window;
 683        this.executor
 684            .spawn(async move {
 685                unsafe {
 686                    // todo!() this panic()s when you click the red close button
 687                    // unless should_close returns false.
 688                    // (luckliy in zed it always returns false)
 689                    window.close();
 690                }
 691            })
 692            .detach();
 693    }
 694}
 695
 696impl PlatformWindow for MacWindow {
 697    fn bounds(&self) -> WindowBounds {
 698        self.0.as_ref().lock().bounds()
 699    }
 700
 701    fn content_size(&self) -> Size<Pixels> {
 702        self.0.as_ref().lock().content_size().into()
 703    }
 704
 705    fn scale_factor(&self) -> f32 {
 706        self.0.as_ref().lock().scale_factor()
 707    }
 708
 709    fn titlebar_height(&self) -> Pixels {
 710        self.0.as_ref().lock().titlebar_height()
 711    }
 712
 713    fn appearance(&self) -> WindowAppearance {
 714        unsafe {
 715            let appearance: id = msg_send![self.0.lock().native_window, effectiveAppearance];
 716            WindowAppearance::from_native(appearance)
 717        }
 718    }
 719
 720    fn display(&self) -> Rc<dyn PlatformDisplay> {
 721        unsafe {
 722            let screen = self.0.lock().native_window.screen();
 723            let device_description: id = msg_send![screen, deviceDescription];
 724            let screen_number: id = NSDictionary::valueForKey_(
 725                device_description,
 726                NSString::alloc(nil).init_str("NSScreenNumber"),
 727            );
 728
 729            let screen_number: u32 = msg_send![screen_number, unsignedIntValue];
 730
 731            Rc::new(MacDisplay(screen_number))
 732        }
 733    }
 734
 735    fn mouse_position(&self) -> Point<Pixels> {
 736        let position = unsafe {
 737            self.0
 738                .lock()
 739                .native_window
 740                .mouseLocationOutsideOfEventStream()
 741        };
 742        convert_mouse_position(position, self.content_size().height)
 743    }
 744
 745    fn as_any_mut(&mut self) -> &mut dyn Any {
 746        self
 747    }
 748
 749    fn set_input_handler(&mut self, input_handler: Box<dyn PlatformInputHandler>) {
 750        self.0.as_ref().lock().input_handler = Some(input_handler);
 751    }
 752
 753    fn prompt(&self, level: PromptLevel, msg: &str, answers: &[&str]) -> oneshot::Receiver<usize> {
 754        // macOs applies overrides to modal window buttons after they are added.
 755        // Two most important for this logic are:
 756        // * Buttons with "Cancel" title will be displayed as the last buttons in the modal
 757        // * Last button added to the modal via `addButtonWithTitle` stays focused
 758        // * Focused buttons react on "space"/" " keypresses
 759        // * Usage of `keyEquivalent`, `makeFirstResponder` or `setInitialFirstResponder` does not change the focus
 760        //
 761        // See also https://developer.apple.com/documentation/appkit/nsalert/1524532-addbuttonwithtitle#discussion
 762        // ```
 763        // By default, the first button has a key equivalent of Return,
 764        // any button with a title of “Cancel” has a key equivalent of Escape,
 765        // and any button with the title “Don’t Save” has a key equivalent of Command-D (but only if it’s not the first button).
 766        // ```
 767        //
 768        // To avoid situations when the last element added is "Cancel" and it gets the focus
 769        // (hence stealing both ESC and Space shortcuts), we find and add one non-Cancel button
 770        // last, so it gets focus and a Space shortcut.
 771        // This way, "Save this file? Yes/No/Cancel"-ish modals will get all three buttons mapped with a key.
 772        let latest_non_cancel_label = answers
 773            .iter()
 774            .enumerate()
 775            .rev()
 776            .find(|(_, &label)| label != "Cancel")
 777            .filter(|&(label_index, _)| label_index > 0);
 778
 779        unsafe {
 780            let alert: id = msg_send![class!(NSAlert), alloc];
 781            let alert: id = msg_send![alert, init];
 782            let alert_style = match level {
 783                PromptLevel::Info => 1,
 784                PromptLevel::Warning => 0,
 785                PromptLevel::Critical => 2,
 786            };
 787            let _: () = msg_send![alert, setAlertStyle: alert_style];
 788            let _: () = msg_send![alert, setMessageText: ns_string(msg)];
 789
 790            for (ix, answer) in answers
 791                .iter()
 792                .enumerate()
 793                .filter(|&(ix, _)| Some(ix) != latest_non_cancel_label.map(|(ix, _)| ix))
 794            {
 795                let button: id = msg_send![alert, addButtonWithTitle: ns_string(answer)];
 796                let _: () = msg_send![button, setTag: ix as NSInteger];
 797            }
 798            if let Some((ix, answer)) = latest_non_cancel_label {
 799                let button: id = msg_send![alert, addButtonWithTitle: ns_string(answer)];
 800                let _: () = msg_send![button, setTag: ix as NSInteger];
 801            }
 802
 803            let (done_tx, done_rx) = oneshot::channel();
 804            let done_tx = Cell::new(Some(done_tx));
 805            let block = ConcreteBlock::new(move |answer: NSInteger| {
 806                if let Some(done_tx) = done_tx.take() {
 807                    let _ = done_tx.send(answer.try_into().unwrap());
 808                }
 809            });
 810            let block = block.copy();
 811            let native_window = self.0.lock().native_window;
 812            let executor = self.0.lock().executor.clone();
 813            executor
 814                .spawn(async move {
 815                    let _: () = msg_send![
 816                        alert,
 817                        beginSheetModalForWindow: native_window
 818                        completionHandler: block
 819                    ];
 820                })
 821                .detach();
 822
 823            done_rx
 824        }
 825    }
 826
 827    fn activate(&self) {
 828        let window = self.0.lock().native_window;
 829        let executor = self.0.lock().executor.clone();
 830        executor
 831            .spawn(async move {
 832                unsafe {
 833                    let _: () = msg_send![window, makeKeyAndOrderFront: nil];
 834                }
 835            })
 836            .detach();
 837    }
 838
 839    fn set_title(&mut self, title: &str) {
 840        unsafe {
 841            let app = NSApplication::sharedApplication(nil);
 842            let window = self.0.lock().native_window;
 843            let title = ns_string(title);
 844            let _: () = msg_send![app, changeWindowsItem:window title:title filename:false];
 845            let _: () = msg_send![window, setTitle: title];
 846            self.0.lock().move_traffic_light();
 847        }
 848    }
 849
 850    fn set_edited(&mut self, edited: bool) {
 851        unsafe {
 852            let window = self.0.lock().native_window;
 853            msg_send![window, setDocumentEdited: edited as BOOL]
 854        }
 855
 856        // Changing the document edited state resets the traffic light position,
 857        // so we have to move it again.
 858        self.0.lock().move_traffic_light();
 859    }
 860
 861    fn show_character_palette(&self) {
 862        unsafe {
 863            let app = NSApplication::sharedApplication(nil);
 864            let window = self.0.lock().native_window;
 865            let _: () = msg_send![app, orderFrontCharacterPalette: window];
 866        }
 867    }
 868
 869    fn minimize(&self) {
 870        let window = self.0.lock().native_window;
 871        unsafe {
 872            window.miniaturize_(nil);
 873        }
 874    }
 875
 876    fn zoom(&self) {
 877        let this = self.0.lock();
 878        let window = this.native_window;
 879        this.executor
 880            .spawn(async move {
 881                unsafe {
 882                    window.zoom_(nil);
 883                }
 884            })
 885            .detach();
 886    }
 887
 888    fn toggle_full_screen(&self) {
 889        let this = self.0.lock();
 890        let window = this.native_window;
 891        this.executor
 892            .spawn(async move {
 893                unsafe {
 894                    window.toggleFullScreen_(nil);
 895                }
 896            })
 897            .detach();
 898    }
 899
 900    fn on_input(&self, callback: Box<dyn FnMut(InputEvent) -> bool>) {
 901        self.0.as_ref().lock().event_callback = Some(callback);
 902    }
 903
 904    fn on_active_status_change(&self, callback: Box<dyn FnMut(bool)>) {
 905        self.0.as_ref().lock().activate_callback = Some(callback);
 906    }
 907
 908    fn on_resize(&self, callback: Box<dyn FnMut(Size<Pixels>, f32)>) {
 909        self.0.as_ref().lock().resize_callback = Some(callback);
 910    }
 911
 912    fn on_fullscreen(&self, callback: Box<dyn FnMut(bool)>) {
 913        self.0.as_ref().lock().fullscreen_callback = Some(callback);
 914    }
 915
 916    fn on_moved(&self, callback: Box<dyn FnMut()>) {
 917        self.0.as_ref().lock().moved_callback = Some(callback);
 918    }
 919
 920    fn on_should_close(&self, callback: Box<dyn FnMut() -> bool>) {
 921        self.0.as_ref().lock().should_close_callback = Some(callback);
 922    }
 923
 924    fn on_close(&self, callback: Box<dyn FnOnce()>) {
 925        self.0.as_ref().lock().close_callback = Some(callback);
 926    }
 927
 928    fn on_appearance_changed(&self, callback: Box<dyn FnMut()>) {
 929        self.0.lock().appearance_changed_callback = Some(callback);
 930    }
 931
 932    fn is_topmost_for_position(&self, position: Point<Pixels>) -> bool {
 933        let self_borrow = self.0.lock();
 934        let self_handle = self_borrow.handle;
 935
 936        unsafe {
 937            let app = NSApplication::sharedApplication(nil);
 938
 939            // Convert back to screen coordinates
 940            let screen_point = self_borrow.to_screen_ns_point(position);
 941
 942            let window_number: NSInteger = msg_send![class!(NSWindow), windowNumberAtPoint:screen_point belowWindowWithWindowNumber:0];
 943            let top_most_window: id = msg_send![app, windowWithWindowNumber: window_number];
 944
 945            let is_panel: BOOL = msg_send![top_most_window, isKindOfClass: PANEL_CLASS];
 946            let is_window: BOOL = msg_send![top_most_window, isKindOfClass: WINDOW_CLASS];
 947            if is_panel == YES || is_window == YES {
 948                let topmost_window = get_window_state(&*top_most_window).lock().handle;
 949                topmost_window == self_handle
 950            } else {
 951                // Someone else's window is on top
 952                false
 953            }
 954        }
 955    }
 956
 957    fn draw(&self, scene: Scene) {
 958        let mut this = self.0.lock();
 959        this.scene_to_render = Some(scene);
 960        unsafe {
 961            let _: () = msg_send![this.native_window.contentView(), setNeedsDisplay: YES];
 962        }
 963    }
 964
 965    fn sprite_atlas(&self) -> Arc<dyn PlatformAtlas> {
 966        self.0.lock().renderer.sprite_atlas().clone()
 967    }
 968}
 969
 970fn get_scale_factor(native_window: id) -> f32 {
 971    unsafe {
 972        let screen: id = msg_send![native_window, screen];
 973        NSScreen::backingScaleFactor(screen) as f32
 974    }
 975}
 976
 977unsafe fn get_window_state(object: &Object) -> Arc<Mutex<MacWindowState>> {
 978    let raw: *mut c_void = *object.get_ivar(WINDOW_STATE_IVAR);
 979    let rc1 = Arc::from_raw(raw as *mut Mutex<MacWindowState>);
 980    let rc2 = rc1.clone();
 981    mem::forget(rc1);
 982    rc2
 983}
 984
 985unsafe fn drop_window_state(object: &Object) {
 986    let raw: *mut c_void = *object.get_ivar(WINDOW_STATE_IVAR);
 987    Rc::from_raw(raw as *mut RefCell<MacWindowState>);
 988}
 989
 990extern "C" fn yes(_: &Object, _: Sel) -> BOOL {
 991    YES
 992}
 993
 994extern "C" fn dealloc_window(this: &Object, _: Sel) {
 995    unsafe {
 996        drop_window_state(this);
 997        let _: () = msg_send![super(this, class!(NSWindow)), dealloc];
 998    }
 999}
1000
1001extern "C" fn dealloc_view(this: &Object, _: Sel) {
1002    unsafe {
1003        drop_window_state(this);
1004        let _: () = msg_send![super(this, class!(NSView)), dealloc];
1005    }
1006}
1007
1008extern "C" fn handle_key_equivalent(this: &Object, _: Sel, native_event: id) -> BOOL {
1009    handle_key_event(this, native_event, true)
1010}
1011
1012extern "C" fn handle_key_down(this: &Object, _: Sel, native_event: id) {
1013    handle_key_event(this, native_event, false);
1014}
1015
1016extern "C" fn handle_key_event(this: &Object, native_event: id, key_equivalent: bool) -> BOOL {
1017    let window_state = unsafe { get_window_state(this) };
1018    let mut lock = window_state.as_ref().lock();
1019
1020    let window_height = lock.content_size().height;
1021    let event = unsafe { InputEvent::from_native(native_event, Some(window_height)) };
1022
1023    if let Some(InputEvent::KeyDown(event)) = event {
1024        // For certain keystrokes, macOS will first dispatch a "key equivalent" event.
1025        // If that event isn't handled, it will then dispatch a "key down" event. GPUI
1026        // makes no distinction between these two types of events, so we need to ignore
1027        // the "key down" event if we've already just processed its "key equivalent" version.
1028        if key_equivalent {
1029            lock.last_key_equivalent = Some(event.clone());
1030        } else if lock.last_key_equivalent.take().as_ref() == Some(&event) {
1031            return NO;
1032        }
1033
1034        let keydown = event.keystroke.clone();
1035        let fn_modifier = keydown.modifiers.function;
1036        // Ignore events from held-down keys after some of the initially-pressed keys
1037        // were released.
1038        if event.is_held {
1039            if lock.last_fresh_keydown.as_ref() != Some(&keydown) {
1040                return YES;
1041            }
1042        } else {
1043            lock.last_fresh_keydown = Some(keydown);
1044        }
1045        lock.pending_key_down = Some((event, None));
1046        drop(lock);
1047
1048        // Send the event to the input context for IME handling, unless the `fn` modifier is
1049        // being pressed.
1050        if !fn_modifier {
1051            unsafe {
1052                let input_context: id = msg_send![this, inputContext];
1053                let _: BOOL = msg_send![input_context, handleEvent: native_event];
1054            }
1055        }
1056
1057        let mut handled = false;
1058        let mut lock = window_state.lock();
1059        let ime_text = lock.ime_text.clone();
1060        if let Some((event, insert_text)) = lock.pending_key_down.take() {
1061            let is_held = event.is_held;
1062            if let Some(mut callback) = lock.event_callback.take() {
1063                drop(lock);
1064
1065                let is_composing =
1066                    with_input_handler(this, |input_handler| input_handler.marked_text_range())
1067                        .flatten()
1068                        .is_some();
1069                if !is_composing {
1070                    // if the IME has changed the key, we'll first emit an event with the character
1071                    // generated by the IME system; then fallback to the keystroke if that is not
1072                    // handled.
1073                    // cases that we have working:
1074                    // - " on a brazillian layout by typing <quote><space>
1075                    // - ctrl-` on a brazillian layout by typing <ctrl-`>
1076                    // - $ on a czech QWERTY layout by typing <alt-4>
1077                    // - 4 on a czech QWERTY layout by typing <shift-4>
1078                    // - ctrl-4 on a czech QWERTY layout by typing <ctrl-alt-4> (or <ctrl-shift-4>)
1079                    if ime_text.is_some() && ime_text.as_ref() != Some(&event.keystroke.key) {
1080                        let event_with_ime_text = KeyDownEvent {
1081                            is_held: false,
1082                            keystroke: Keystroke {
1083                                // we match ctrl because some use-cases need it.
1084                                // we don't match alt because it's often used to generate the optional character
1085                                // we don't match shift because we're not here with letters (usually)
1086                                // we don't match cmd/fn because they don't seem to use IME
1087                                modifiers: Default::default(),
1088                                key: ime_text.clone().unwrap(),
1089                                ime_key: None, // todo!("handle IME key")
1090                            },
1091                        };
1092                        handled = callback(InputEvent::KeyDown(event_with_ime_text));
1093                    }
1094                    if !handled {
1095                        // empty key happens when you type a deadkey in input composition.
1096                        // (e.g. on a brazillian keyboard typing quote is a deadkey)
1097                        if !event.keystroke.key.is_empty() {
1098                            handled = callback(InputEvent::KeyDown(event));
1099                        }
1100                    }
1101                }
1102
1103                if !handled {
1104                    if let Some(insert) = insert_text {
1105                        handled = true;
1106                        with_input_handler(this, |input_handler| {
1107                            input_handler
1108                                .replace_text_in_range(insert.replacement_range, &insert.text)
1109                        });
1110                    } else if !is_composing && is_held {
1111                        if let Some(last_insert_text) = ime_text {
1112                            //MacOS IME is a bit funky, and even when you've told it there's nothing to
1113                            //inter it will still swallow certain keys (e.g. 'f', 'j') and not others
1114                            //(e.g. 'n'). This is a problem for certain kinds of views, like the terminal
1115                            with_input_handler(this, |input_handler| {
1116                                if input_handler.selected_text_range().is_none() {
1117                                    handled = true;
1118                                    input_handler.replace_text_in_range(None, &last_insert_text)
1119                                }
1120                            });
1121                        }
1122                    }
1123                }
1124
1125                window_state.lock().event_callback = Some(callback);
1126            }
1127        } else {
1128            handled = true;
1129        }
1130
1131        handled as BOOL
1132    } else {
1133        NO
1134    }
1135}
1136
1137extern "C" fn handle_view_event(this: &Object, _: Sel, native_event: id) {
1138    let window_state = unsafe { get_window_state(this) };
1139    let weak_window_state = Arc::downgrade(&window_state);
1140    let mut lock = window_state.as_ref().lock();
1141    let is_active = unsafe { lock.native_window.isKeyWindow() == YES };
1142
1143    let window_height = lock.content_size().height;
1144    let event = unsafe { InputEvent::from_native(native_event, Some(window_height)) };
1145
1146    if let Some(mut event) = event {
1147        match &mut event {
1148            InputEvent::MouseDown(
1149                event @ MouseDownEvent {
1150                    button: MouseButton::Left,
1151                    modifiers: Modifiers { control: true, .. },
1152                    ..
1153                },
1154            ) => {
1155                // On mac, a ctrl-left click should be handled as a right click.
1156                *event = MouseDownEvent {
1157                    button: MouseButton::Right,
1158                    modifiers: Modifiers {
1159                        control: false,
1160                        ..event.modifiers
1161                    },
1162                    click_count: 1,
1163                    ..*event
1164                };
1165            }
1166
1167            // Because we map a ctrl-left_down to a right_down -> right_up let's ignore
1168            // the ctrl-left_up to avoid having a mismatch in button down/up events if the
1169            // user is still holding ctrl when releasing the left mouse button
1170            InputEvent::MouseUp(
1171                event @ MouseUpEvent {
1172                    button: MouseButton::Left,
1173                    modifiers: Modifiers { control: true, .. },
1174                    ..
1175                },
1176            ) => {
1177                *event = MouseUpEvent {
1178                    button: MouseButton::Right,
1179                    modifiers: Modifiers {
1180                        control: false,
1181                        ..event.modifiers
1182                    },
1183                    click_count: 1,
1184                    ..*event
1185                };
1186            }
1187
1188            _ => {}
1189        };
1190
1191        match &event {
1192            InputEvent::MouseMove(
1193                event @ MouseMoveEvent {
1194                    pressed_button: Some(_),
1195                    ..
1196                },
1197            ) => {
1198                lock.synthetic_drag_counter += 1;
1199                let executor = lock.executor.clone();
1200                executor
1201                    .spawn(synthetic_drag(
1202                        weak_window_state,
1203                        lock.synthetic_drag_counter,
1204                        event.clone(),
1205                    ))
1206                    .detach();
1207            }
1208
1209            InputEvent::MouseMove(_) if !(is_active || lock.kind == WindowKind::PopUp) => return,
1210
1211            InputEvent::MouseUp(MouseUpEvent { .. }) => {
1212                lock.synthetic_drag_counter += 1;
1213            }
1214
1215            InputEvent::ModifiersChanged(ModifiersChangedEvent { modifiers }) => {
1216                // Only raise modifiers changed event when they have actually changed
1217                if let Some(InputEvent::ModifiersChanged(ModifiersChangedEvent {
1218                    modifiers: prev_modifiers,
1219                })) = &lock.previous_modifiers_changed_event
1220                {
1221                    if prev_modifiers == modifiers {
1222                        return;
1223                    }
1224                }
1225
1226                lock.previous_modifiers_changed_event = Some(event.clone());
1227            }
1228
1229            _ => {}
1230        }
1231
1232        if let Some(mut callback) = lock.event_callback.take() {
1233            drop(lock);
1234            callback(event);
1235            window_state.lock().event_callback = Some(callback);
1236        }
1237    }
1238}
1239
1240// Allows us to receive `cmd-.` (the shortcut for closing a dialog)
1241// https://bugs.eclipse.org/bugs/show_bug.cgi?id=300620#c6
1242extern "C" fn cancel_operation(this: &Object, _sel: Sel, _sender: id) {
1243    let window_state = unsafe { get_window_state(this) };
1244    let mut lock = window_state.as_ref().lock();
1245
1246    let keystroke = Keystroke {
1247        modifiers: Default::default(),
1248        key: ".".into(),
1249        ime_key: None,
1250    };
1251    let event = InputEvent::KeyDown(KeyDownEvent {
1252        keystroke: keystroke.clone(),
1253        is_held: false,
1254    });
1255
1256    lock.last_fresh_keydown = Some(keystroke);
1257    if let Some(mut callback) = lock.event_callback.take() {
1258        drop(lock);
1259        callback(event);
1260        window_state.lock().event_callback = Some(callback);
1261    }
1262}
1263
1264extern "C" fn window_did_resize(this: &Object, _: Sel, _: id) {
1265    let window_state = unsafe { get_window_state(this) };
1266    window_state.as_ref().lock().move_traffic_light();
1267}
1268
1269extern "C" fn window_will_enter_fullscreen(this: &Object, _: Sel, _: id) {
1270    window_fullscreen_changed(this, true);
1271}
1272
1273extern "C" fn window_will_exit_fullscreen(this: &Object, _: Sel, _: id) {
1274    window_fullscreen_changed(this, false);
1275}
1276
1277fn window_fullscreen_changed(this: &Object, is_fullscreen: bool) {
1278    let window_state = unsafe { get_window_state(this) };
1279    let mut lock = window_state.as_ref().lock();
1280    if let Some(mut callback) = lock.fullscreen_callback.take() {
1281        drop(lock);
1282        callback(is_fullscreen);
1283        window_state.lock().fullscreen_callback = Some(callback);
1284    }
1285}
1286
1287extern "C" fn window_did_move(this: &Object, _: Sel, _: id) {
1288    let window_state = unsafe { get_window_state(this) };
1289    let mut lock = window_state.as_ref().lock();
1290    if let Some(mut callback) = lock.moved_callback.take() {
1291        drop(lock);
1292        callback();
1293        window_state.lock().moved_callback = Some(callback);
1294    }
1295}
1296
1297extern "C" fn window_did_change_key_status(this: &Object, selector: Sel, _: id) {
1298    let window_state = unsafe { get_window_state(this) };
1299    let lock = window_state.lock();
1300    let is_active = unsafe { lock.native_window.isKeyWindow() == YES };
1301
1302    // When opening a pop-up while the application isn't active, Cocoa sends a spurious
1303    // `windowDidBecomeKey` message to the previous key window even though that window
1304    // isn't actually key. This causes a bug if the application is later activated while
1305    // the pop-up is still open, making it impossible to activate the previous key window
1306    // even if the pop-up gets closed. The only way to activate it again is to de-activate
1307    // the app and re-activate it, which is a pretty bad UX.
1308    // The following code detects the spurious event and invokes `resignKeyWindow`:
1309    // in theory, we're not supposed to invoke this method manually but it balances out
1310    // the spurious `becomeKeyWindow` event and helps us work around that bug.
1311    if selector == sel!(windowDidBecomeKey:) {
1312        if !is_active {
1313            unsafe {
1314                let _: () = msg_send![lock.native_window, resignKeyWindow];
1315                return;
1316            }
1317        }
1318    }
1319
1320    let executor = lock.executor.clone();
1321    drop(lock);
1322    executor
1323        .spawn(async move {
1324            let mut lock = window_state.as_ref().lock();
1325            if let Some(mut callback) = lock.activate_callback.take() {
1326                drop(lock);
1327                callback(is_active);
1328                window_state.lock().activate_callback = Some(callback);
1329            };
1330        })
1331        .detach();
1332}
1333
1334extern "C" fn window_should_close(this: &Object, _: Sel, _: id) -> BOOL {
1335    let window_state = unsafe { get_window_state(this) };
1336    let mut lock = window_state.as_ref().lock();
1337    if let Some(mut callback) = lock.should_close_callback.take() {
1338        drop(lock);
1339        let should_close = callback();
1340        window_state.lock().should_close_callback = Some(callback);
1341        should_close as BOOL
1342    } else {
1343        YES
1344    }
1345}
1346
1347extern "C" fn close_window(this: &Object, _: Sel) {
1348    unsafe {
1349        let close_callback = {
1350            let window_state = get_window_state(this);
1351            window_state
1352                .as_ref()
1353                .try_lock()
1354                .and_then(|mut window_state| window_state.close_callback.take())
1355        };
1356
1357        if let Some(callback) = close_callback {
1358            callback();
1359        }
1360
1361        let _: () = msg_send![super(this, class!(NSWindow)), close];
1362    }
1363}
1364
1365extern "C" fn make_backing_layer(this: &Object, _: Sel) -> id {
1366    let window_state = unsafe { get_window_state(this) };
1367    let window_state = window_state.as_ref().lock();
1368    window_state.renderer.layer().as_ptr() as id
1369}
1370
1371extern "C" fn view_did_change_backing_properties(this: &Object, _: Sel) {
1372    let window_state = unsafe { get_window_state(this) };
1373    let mut lock = window_state.as_ref().lock();
1374
1375    unsafe {
1376        let scale_factor = lock.scale_factor() as f64;
1377        let size = lock.content_size();
1378        let drawable_size: NSSize = NSSize {
1379            width: f64::from(size.width) * scale_factor,
1380            height: f64::from(size.height) * scale_factor,
1381        };
1382
1383        let _: () = msg_send![
1384            lock.renderer.layer(),
1385            setContentsScale: scale_factor
1386        ];
1387        let _: () = msg_send![
1388            lock.renderer.layer(),
1389            setDrawableSize: drawable_size
1390        ];
1391    }
1392
1393    if let Some(mut callback) = lock.resize_callback.take() {
1394        let content_size = lock.content_size();
1395        let scale_factor = lock.scale_factor();
1396        drop(lock);
1397        callback(content_size, scale_factor);
1398        window_state.as_ref().lock().resize_callback = Some(callback);
1399    };
1400}
1401
1402extern "C" fn set_frame_size(this: &Object, _: Sel, size: NSSize) {
1403    let window_state = unsafe { get_window_state(this) };
1404    let lock = window_state.as_ref().lock();
1405
1406    if lock.content_size() == size.into() {
1407        return;
1408    }
1409
1410    unsafe {
1411        let _: () = msg_send![super(this, class!(NSView)), setFrameSize: size];
1412    }
1413
1414    let scale_factor = lock.scale_factor() as f64;
1415    let drawable_size: NSSize = NSSize {
1416        width: size.width * scale_factor,
1417        height: size.height * scale_factor,
1418    };
1419
1420    unsafe {
1421        let _: () = msg_send![
1422            lock.renderer.layer(),
1423            setDrawableSize: drawable_size
1424        ];
1425    }
1426
1427    drop(lock);
1428    let mut lock = window_state.lock();
1429    if let Some(mut callback) = lock.resize_callback.take() {
1430        let content_size = lock.content_size();
1431        let scale_factor = lock.scale_factor();
1432        drop(lock);
1433        callback(content_size, scale_factor);
1434        window_state.lock().resize_callback = Some(callback);
1435    };
1436}
1437
1438extern "C" fn display_layer(this: &Object, _: Sel, _: id) {
1439    unsafe {
1440        let window_state = get_window_state(this);
1441        let mut window_state = window_state.as_ref().lock();
1442        if let Some(scene) = window_state.scene_to_render.take() {
1443            window_state.renderer.draw(&scene);
1444        }
1445    }
1446}
1447
1448extern "C" fn valid_attributes_for_marked_text(_: &Object, _: Sel) -> id {
1449    unsafe { msg_send![class!(NSArray), array] }
1450}
1451
1452extern "C" fn has_marked_text(this: &Object, _: Sel) -> BOOL {
1453    with_input_handler(this, |input_handler| input_handler.marked_text_range())
1454        .flatten()
1455        .is_some() as BOOL
1456}
1457
1458extern "C" fn marked_range(this: &Object, _: Sel) -> NSRange {
1459    with_input_handler(this, |input_handler| input_handler.marked_text_range())
1460        .flatten()
1461        .map_or(NSRange::invalid(), |range| range.into())
1462}
1463
1464extern "C" fn selected_range(this: &Object, _: Sel) -> NSRange {
1465    with_input_handler(this, |input_handler| input_handler.selected_text_range())
1466        .flatten()
1467        .map_or(NSRange::invalid(), |range| range.into())
1468}
1469
1470extern "C" fn first_rect_for_character_range(
1471    this: &Object,
1472    _: Sel,
1473    range: NSRange,
1474    _: id,
1475) -> NSRect {
1476    let frame = unsafe {
1477        let window = get_window_state(this).lock().native_window;
1478        NSView::frame(window)
1479    };
1480    with_input_handler(this, |input_handler| {
1481        input_handler.bounds_for_range(range.to_range()?)
1482    })
1483    .flatten()
1484    .map_or(
1485        NSRect::new(NSPoint::new(0., 0.), NSSize::new(0., 0.)),
1486        |bounds| {
1487            NSRect::new(
1488                NSPoint::new(
1489                    frame.origin.x + bounds.origin.x.0 as f64,
1490                    frame.origin.y + frame.size.height
1491                        - bounds.origin.y.0 as f64
1492                        - bounds.size.height.0 as f64,
1493                ),
1494                NSSize::new(bounds.size.width.0 as f64, bounds.size.height.0 as f64),
1495            )
1496        },
1497    )
1498}
1499
1500extern "C" fn insert_text(this: &Object, _: Sel, text: id, replacement_range: NSRange) {
1501    unsafe {
1502        let window_state = get_window_state(this);
1503        let mut lock = window_state.lock();
1504        let pending_key_down = lock.pending_key_down.take();
1505        drop(lock);
1506
1507        let is_attributed_string: BOOL =
1508            msg_send![text, isKindOfClass: [class!(NSAttributedString)]];
1509        let text: id = if is_attributed_string == YES {
1510            msg_send![text, string]
1511        } else {
1512            text
1513        };
1514        let text = CStr::from_ptr(text.UTF8String() as *mut c_char)
1515            .to_str()
1516            .unwrap();
1517        let replacement_range = replacement_range.to_range();
1518
1519        window_state.lock().ime_text = Some(text.to_string());
1520        window_state.lock().ime_state = ImeState::Acted;
1521
1522        let is_composing =
1523            with_input_handler(this, |input_handler| input_handler.marked_text_range())
1524                .flatten()
1525                .is_some();
1526
1527        if is_composing || text.chars().count() > 1 || pending_key_down.is_none() {
1528            with_input_handler(this, |input_handler| {
1529                input_handler.replace_text_in_range(replacement_range, text)
1530            });
1531        } else {
1532            let mut pending_key_down = pending_key_down.unwrap();
1533            pending_key_down.1 = Some(InsertText {
1534                replacement_range,
1535                text: text.to_string(),
1536            });
1537            window_state.lock().pending_key_down = Some(pending_key_down);
1538        }
1539    }
1540}
1541
1542extern "C" fn set_marked_text(
1543    this: &Object,
1544    _: Sel,
1545    text: id,
1546    selected_range: NSRange,
1547    replacement_range: NSRange,
1548) {
1549    unsafe {
1550        let window_state = get_window_state(this);
1551        window_state.lock().pending_key_down.take();
1552
1553        let is_attributed_string: BOOL =
1554            msg_send![text, isKindOfClass: [class!(NSAttributedString)]];
1555        let text: id = if is_attributed_string == YES {
1556            msg_send![text, string]
1557        } else {
1558            text
1559        };
1560        let selected_range = selected_range.to_range();
1561        let replacement_range = replacement_range.to_range();
1562        let text = CStr::from_ptr(text.UTF8String() as *mut c_char)
1563            .to_str()
1564            .unwrap();
1565
1566        window_state.lock().ime_state = ImeState::Acted;
1567        window_state.lock().ime_text = Some(text.to_string());
1568
1569        with_input_handler(this, |input_handler| {
1570            input_handler.replace_and_mark_text_in_range(replacement_range, text, selected_range);
1571        });
1572    }
1573}
1574
1575extern "C" fn unmark_text(this: &Object, _: Sel) {
1576    unsafe {
1577        let state = get_window_state(this);
1578        let mut borrow = state.lock();
1579        borrow.ime_state = ImeState::Acted;
1580        borrow.ime_text.take();
1581    }
1582
1583    with_input_handler(this, |input_handler| input_handler.unmark_text());
1584}
1585
1586extern "C" fn attributed_substring_for_proposed_range(
1587    this: &Object,
1588    _: Sel,
1589    range: NSRange,
1590    _actual_range: *mut c_void,
1591) -> id {
1592    with_input_handler(this, |input_handler| {
1593        let range = range.to_range()?;
1594        if range.is_empty() {
1595            return None;
1596        }
1597
1598        let selected_text = input_handler.text_for_range(range)?;
1599        unsafe {
1600            let string: id = msg_send![class!(NSAttributedString), alloc];
1601            let string: id = msg_send![string, initWithString: ns_string(&selected_text)];
1602            Some(string)
1603        }
1604    })
1605    .flatten()
1606    .unwrap_or(nil)
1607}
1608
1609extern "C" fn do_command_by_selector(this: &Object, _: Sel, _: Sel) {
1610    unsafe {
1611        let state = get_window_state(this);
1612        let mut borrow = state.lock();
1613        borrow.ime_state = ImeState::Continue;
1614        borrow.ime_text.take();
1615    }
1616}
1617
1618extern "C" fn view_did_change_effective_appearance(this: &Object, _: Sel) {
1619    unsafe {
1620        let state = get_window_state(this);
1621        let mut lock = state.as_ref().lock();
1622        if let Some(mut callback) = lock.appearance_changed_callback.take() {
1623            drop(lock);
1624            callback();
1625            state.lock().appearance_changed_callback = Some(callback);
1626        }
1627    }
1628}
1629
1630extern "C" fn accepts_first_mouse(this: &Object, _: Sel, _: id) -> BOOL {
1631    unsafe {
1632        let state = get_window_state(this);
1633        let lock = state.as_ref().lock();
1634        return if lock.kind == WindowKind::PopUp {
1635            YES
1636        } else {
1637            NO
1638        };
1639    }
1640}
1641
1642extern "C" fn dragging_entered(this: &Object, _: Sel, dragging_info: id) -> NSDragOperation {
1643    let window_state = unsafe { get_window_state(this) };
1644    if send_new_event(&window_state, {
1645        let position = drag_event_position(&window_state, dragging_info);
1646        let paths = external_paths_from_event(dragging_info);
1647        InputEvent::FileDrop(FileDropEvent::Entered {
1648            position,
1649            files: paths,
1650        })
1651    }) {
1652        NSDragOperationCopy
1653    } else {
1654        NSDragOperationNone
1655    }
1656}
1657
1658extern "C" fn dragging_updated(this: &Object, _: Sel, dragging_info: id) -> NSDragOperation {
1659    let window_state = unsafe { get_window_state(this) };
1660    let position = drag_event_position(&window_state, dragging_info);
1661    if send_new_event(
1662        &window_state,
1663        InputEvent::FileDrop(FileDropEvent::Pending { position }),
1664    ) {
1665        NSDragOperationCopy
1666    } else {
1667        NSDragOperationNone
1668    }
1669}
1670
1671extern "C" fn dragging_exited(this: &Object, _: Sel, _: id) {
1672    let window_state = unsafe { get_window_state(this) };
1673    send_new_event(&window_state, InputEvent::FileDrop(FileDropEvent::Exited));
1674}
1675
1676extern "C" fn perform_drag_operation(this: &Object, _: Sel, dragging_info: id) -> BOOL {
1677    let window_state = unsafe { get_window_state(this) };
1678    let position = drag_event_position(&window_state, dragging_info);
1679    if send_new_event(
1680        &window_state,
1681        InputEvent::FileDrop(FileDropEvent::Submit { position }),
1682    ) {
1683        YES
1684    } else {
1685        NO
1686    }
1687}
1688
1689fn external_paths_from_event(dragging_info: *mut Object) -> ExternalPaths {
1690    let mut paths = SmallVec::new();
1691    let pasteboard: id = unsafe { msg_send![dragging_info, draggingPasteboard] };
1692    let filenames = unsafe { NSPasteboard::propertyListForType(pasteboard, NSFilenamesPboardType) };
1693    for file in unsafe { filenames.iter() } {
1694        let path = unsafe {
1695            let f = NSString::UTF8String(file);
1696            CStr::from_ptr(f).to_string_lossy().into_owned()
1697        };
1698        paths.push(PathBuf::from(path))
1699    }
1700    ExternalPaths(paths)
1701}
1702
1703extern "C" fn conclude_drag_operation(this: &Object, _: Sel, _: id) {
1704    let window_state = unsafe { get_window_state(this) };
1705    send_new_event(&window_state, InputEvent::FileDrop(FileDropEvent::Exited));
1706}
1707
1708async fn synthetic_drag(
1709    window_state: Weak<Mutex<MacWindowState>>,
1710    drag_id: usize,
1711    event: MouseMoveEvent,
1712) {
1713    loop {
1714        Timer::after(Duration::from_millis(16)).await;
1715        if let Some(window_state) = window_state.upgrade() {
1716            let mut lock = window_state.lock();
1717            if lock.synthetic_drag_counter == drag_id {
1718                if let Some(mut callback) = lock.event_callback.take() {
1719                    drop(lock);
1720                    callback(InputEvent::MouseMove(event.clone()));
1721                    window_state.lock().event_callback = Some(callback);
1722                }
1723            } else {
1724                break;
1725            }
1726        }
1727    }
1728}
1729
1730fn send_new_event(window_state_lock: &Mutex<MacWindowState>, e: InputEvent) -> bool {
1731    let window_state = window_state_lock.lock().event_callback.take();
1732    if let Some(mut callback) = window_state {
1733        callback(e);
1734        window_state_lock.lock().event_callback = Some(callback);
1735        true
1736    } else {
1737        false
1738    }
1739}
1740
1741fn drag_event_position(window_state: &Mutex<MacWindowState>, dragging_info: id) -> Point<Pixels> {
1742    let drag_location: NSPoint = unsafe { msg_send![dragging_info, draggingLocation] };
1743    convert_mouse_position(drag_location, window_state.lock().content_size().height)
1744}
1745
1746fn with_input_handler<F, R>(window: &Object, f: F) -> Option<R>
1747where
1748    F: FnOnce(&mut dyn PlatformInputHandler) -> R,
1749{
1750    let window_state = unsafe { get_window_state(window) };
1751    let mut lock = window_state.as_ref().lock();
1752    if let Some(mut input_handler) = lock.input_handler.take() {
1753        drop(lock);
1754        let result = f(input_handler.as_mut());
1755        window_state.lock().input_handler = Some(input_handler);
1756        Some(result)
1757    } else {
1758        None
1759    }
1760}