platform.rs

  1use super::{
  2    event::key_to_native, status_item::StatusItem, BoolExt as _, Dispatcher, FontSystem, Window,
  3};
  4use crate::{
  5    executor,
  6    geometry::vector::{vec2f, Vector2F},
  7    keymap,
  8    platform::{self, CursorStyle},
  9    Action, AppVersion, ClipboardItem, Event, Menu, MenuItem,
 10};
 11use anyhow::{anyhow, Result};
 12use block::ConcreteBlock;
 13use cocoa::{
 14    appkit::{
 15        NSApplication, NSApplicationActivationPolicy::NSApplicationActivationPolicyRegular,
 16        NSEventModifierFlags, NSMenu, NSMenuItem, NSModalResponse, NSOpenPanel, NSPasteboard,
 17        NSPasteboardTypeString, NSSavePanel, NSScreen, NSWindow,
 18    },
 19    base::{id, nil, selector, YES},
 20    foundation::{
 21        NSArray, NSAutoreleasePool, NSBundle, NSData, NSInteger, NSProcessInfo, NSString,
 22        NSUInteger, NSURL,
 23    },
 24};
 25use core_foundation::{
 26    base::{CFType, CFTypeRef, OSStatus, TCFType as _},
 27    boolean::CFBoolean,
 28    data::CFData,
 29    dictionary::{CFDictionary, CFDictionaryRef, CFMutableDictionary},
 30    string::{CFString, CFStringRef},
 31};
 32use ctor::ctor;
 33use objc::{
 34    class,
 35    declare::ClassDecl,
 36    msg_send,
 37    runtime::{Class, Object, Sel},
 38    sel, sel_impl,
 39};
 40use postage::oneshot;
 41use ptr::null_mut;
 42use std::{
 43    cell::{Cell, RefCell},
 44    convert::TryInto,
 45    ffi::{c_void, CStr, OsStr},
 46    os::{raw::c_char, unix::ffi::OsStrExt},
 47    path::{Path, PathBuf},
 48    ptr,
 49    rc::Rc,
 50    slice, str,
 51    sync::Arc,
 52};
 53use time::UtcOffset;
 54
 55#[allow(non_upper_case_globals)]
 56const NSUTF8StringEncoding: NSUInteger = 4;
 57
 58#[allow(non_upper_case_globals)]
 59pub const NSViewLayerContentsRedrawDuringViewResize: NSInteger = 2;
 60
 61const MAC_PLATFORM_IVAR: &str = "platform";
 62static mut APP_CLASS: *const Class = ptr::null();
 63static mut APP_DELEGATE_CLASS: *const Class = ptr::null();
 64
 65#[ctor]
 66unsafe fn build_classes() {
 67    APP_CLASS = {
 68        let mut decl = ClassDecl::new("GPUIApplication", class!(NSApplication)).unwrap();
 69        decl.add_ivar::<*mut c_void>(MAC_PLATFORM_IVAR);
 70        decl.add_method(
 71            sel!(sendEvent:),
 72            send_event as extern "C" fn(&mut Object, Sel, id),
 73        );
 74        decl.register()
 75    };
 76
 77    APP_DELEGATE_CLASS = {
 78        let mut decl = ClassDecl::new("GPUIApplicationDelegate", class!(NSResponder)).unwrap();
 79        decl.add_ivar::<*mut c_void>(MAC_PLATFORM_IVAR);
 80        decl.add_method(
 81            sel!(applicationDidFinishLaunching:),
 82            did_finish_launching as extern "C" fn(&mut Object, Sel, id),
 83        );
 84        decl.add_method(
 85            sel!(applicationDidBecomeActive:),
 86            did_become_active as extern "C" fn(&mut Object, Sel, id),
 87        );
 88        decl.add_method(
 89            sel!(applicationDidResignActive:),
 90            did_resign_active as extern "C" fn(&mut Object, Sel, id),
 91        );
 92        decl.add_method(
 93            sel!(applicationWillTerminate:),
 94            will_terminate as extern "C" fn(&mut Object, Sel, id),
 95        );
 96        decl.add_method(
 97            sel!(handleGPUIMenuItem:),
 98            handle_menu_item as extern "C" fn(&mut Object, Sel, id),
 99        );
100        decl.add_method(
101            sel!(validateMenuItem:),
102            validate_menu_item as extern "C" fn(&mut Object, Sel, id) -> bool,
103        );
104        decl.add_method(
105            sel!(menuWillOpen:),
106            menu_will_open as extern "C" fn(&mut Object, Sel, id),
107        );
108        decl.add_method(
109            sel!(application:openURLs:),
110            open_urls as extern "C" fn(&mut Object, Sel, id, id),
111        );
112        decl.register()
113    }
114}
115
116#[derive(Default)]
117pub struct MacForegroundPlatform(RefCell<MacForegroundPlatformState>);
118
119#[derive(Default)]
120pub struct MacForegroundPlatformState {
121    become_active: Option<Box<dyn FnMut()>>,
122    resign_active: Option<Box<dyn FnMut()>>,
123    quit: Option<Box<dyn FnMut()>>,
124    event: Option<Box<dyn FnMut(crate::Event) -> bool>>,
125    menu_command: Option<Box<dyn FnMut(&dyn Action)>>,
126    validate_menu_command: Option<Box<dyn FnMut(&dyn Action) -> bool>>,
127    will_open_menu: Option<Box<dyn FnMut()>>,
128    open_urls: Option<Box<dyn FnMut(Vec<String>)>>,
129    finish_launching: Option<Box<dyn FnOnce()>>,
130    menu_actions: Vec<Box<dyn Action>>,
131}
132
133impl MacForegroundPlatform {
134    unsafe fn create_menu_bar(
135        &self,
136        menus: Vec<Menu>,
137        delegate: id,
138        actions: &mut Vec<Box<dyn Action>>,
139        keystroke_matcher: &keymap::Matcher,
140    ) -> id {
141        let application_menu = NSMenu::new(nil).autorelease();
142        application_menu.setDelegate_(delegate);
143
144        for menu_config in menus {
145            let menu = NSMenu::new(nil).autorelease();
146            menu.setTitle_(ns_string(menu_config.name));
147            menu.setDelegate_(delegate);
148
149            for item_config in menu_config.items {
150                menu.addItem_(self.create_menu_item(
151                    item_config,
152                    delegate,
153                    actions,
154                    keystroke_matcher,
155                ));
156            }
157
158            let menu_item = NSMenuItem::new(nil).autorelease();
159            menu_item.setSubmenu_(menu);
160            application_menu.addItem_(menu_item);
161
162            if menu_config.name == "Window" {
163                let app: id = msg_send![APP_CLASS, sharedApplication];
164                app.setWindowsMenu_(menu);
165            }
166        }
167
168        application_menu
169    }
170
171    unsafe fn create_menu_item(
172        &self,
173        item: MenuItem,
174        delegate: id,
175        actions: &mut Vec<Box<dyn Action>>,
176        keystroke_matcher: &keymap::Matcher,
177    ) -> id {
178        match item {
179            MenuItem::Separator => NSMenuItem::separatorItem(nil),
180            MenuItem::Action { name, action } => {
181                let keystrokes = keystroke_matcher
182                    .bindings_for_action_type(action.as_any().type_id())
183                    .find(|binding| binding.action().eq(action.as_ref()))
184                    .map(|binding| binding.keystrokes());
185
186                let item;
187                if let Some(keystrokes) = keystrokes {
188                    if keystrokes.len() == 1 {
189                        let keystroke = &keystrokes[0];
190                        let mut mask = NSEventModifierFlags::empty();
191                        for (modifier, flag) in &[
192                            (keystroke.cmd, NSEventModifierFlags::NSCommandKeyMask),
193                            (keystroke.ctrl, NSEventModifierFlags::NSControlKeyMask),
194                            (keystroke.alt, NSEventModifierFlags::NSAlternateKeyMask),
195                            (keystroke.shift, NSEventModifierFlags::NSShiftKeyMask),
196                        ] {
197                            if *modifier {
198                                mask |= *flag;
199                            }
200                        }
201
202                        item = NSMenuItem::alloc(nil)
203                            .initWithTitle_action_keyEquivalent_(
204                                ns_string(name),
205                                selector("handleGPUIMenuItem:"),
206                                ns_string(key_to_native(&keystroke.key).as_ref()),
207                            )
208                            .autorelease();
209                        item.setKeyEquivalentModifierMask_(mask);
210                    }
211                    // For multi-keystroke bindings, render the keystroke as part of the title.
212                    else {
213                        use std::fmt::Write;
214
215                        let mut name = format!("{name} [");
216                        for (i, keystroke) in keystrokes.iter().enumerate() {
217                            if i > 0 {
218                                name.push(' ');
219                            }
220                            write!(&mut name, "{}", keystroke).unwrap();
221                        }
222                        name.push(']');
223
224                        item = NSMenuItem::alloc(nil)
225                            .initWithTitle_action_keyEquivalent_(
226                                ns_string(&name),
227                                selector("handleGPUIMenuItem:"),
228                                ns_string(""),
229                            )
230                            .autorelease();
231                    }
232                } else {
233                    item = NSMenuItem::alloc(nil)
234                        .initWithTitle_action_keyEquivalent_(
235                            ns_string(name),
236                            selector("handleGPUIMenuItem:"),
237                            ns_string(""),
238                        )
239                        .autorelease();
240                }
241
242                let tag = actions.len() as NSInteger;
243                let _: () = msg_send![item, setTag: tag];
244                actions.push(action);
245                item
246            }
247            MenuItem::Submenu(Menu { name, items }) => {
248                let item = NSMenuItem::new(nil).autorelease();
249                let submenu = NSMenu::new(nil).autorelease();
250                submenu.setDelegate_(delegate);
251                for item in items {
252                    submenu.addItem_(self.create_menu_item(
253                        item,
254                        delegate,
255                        actions,
256                        keystroke_matcher,
257                    ));
258                }
259                item.setSubmenu_(submenu);
260                item.setTitle_(ns_string(name));
261                item
262            }
263        }
264    }
265}
266
267impl platform::ForegroundPlatform for MacForegroundPlatform {
268    fn on_become_active(&self, callback: Box<dyn FnMut()>) {
269        self.0.borrow_mut().become_active = Some(callback);
270    }
271
272    fn on_resign_active(&self, callback: Box<dyn FnMut()>) {
273        self.0.borrow_mut().resign_active = Some(callback);
274    }
275
276    fn on_quit(&self, callback: Box<dyn FnMut()>) {
277        self.0.borrow_mut().quit = Some(callback);
278    }
279
280    fn on_event(&self, callback: Box<dyn FnMut(crate::Event) -> bool>) {
281        self.0.borrow_mut().event = Some(callback);
282    }
283
284    fn on_open_urls(&self, callback: Box<dyn FnMut(Vec<String>)>) {
285        self.0.borrow_mut().open_urls = Some(callback);
286    }
287
288    fn run(&self, on_finish_launching: Box<dyn FnOnce()>) {
289        self.0.borrow_mut().finish_launching = Some(on_finish_launching);
290
291        unsafe {
292            let app: id = msg_send![APP_CLASS, sharedApplication];
293            let app_delegate: id = msg_send![APP_DELEGATE_CLASS, new];
294            app.setDelegate_(app_delegate);
295
296            let self_ptr = self as *const Self as *const c_void;
297            (*app).set_ivar(MAC_PLATFORM_IVAR, self_ptr);
298            (*app_delegate).set_ivar(MAC_PLATFORM_IVAR, self_ptr);
299
300            let pool = NSAutoreleasePool::new(nil);
301            app.run();
302            pool.drain();
303
304            (*app).set_ivar(MAC_PLATFORM_IVAR, null_mut::<c_void>());
305            (*app.delegate()).set_ivar(MAC_PLATFORM_IVAR, null_mut::<c_void>());
306        }
307    }
308
309    fn on_menu_command(&self, callback: Box<dyn FnMut(&dyn Action)>) {
310        self.0.borrow_mut().menu_command = Some(callback);
311    }
312
313    fn on_will_open_menu(&self, callback: Box<dyn FnMut()>) {
314        self.0.borrow_mut().will_open_menu = Some(callback);
315    }
316
317    fn on_validate_menu_command(&self, callback: Box<dyn FnMut(&dyn Action) -> bool>) {
318        self.0.borrow_mut().validate_menu_command = Some(callback);
319    }
320
321    fn set_menus(&self, menus: Vec<Menu>, keystroke_matcher: &keymap::Matcher) {
322        unsafe {
323            let app: id = msg_send![APP_CLASS, sharedApplication];
324            let mut state = self.0.borrow_mut();
325            let actions = &mut state.menu_actions;
326            app.setMainMenu_(self.create_menu_bar(
327                menus,
328                app.delegate(),
329                actions,
330                keystroke_matcher,
331            ));
332        }
333    }
334
335    fn prompt_for_paths(
336        &self,
337        options: platform::PathPromptOptions,
338    ) -> oneshot::Receiver<Option<Vec<PathBuf>>> {
339        unsafe {
340            let panel = NSOpenPanel::openPanel(nil);
341            panel.setCanChooseDirectories_(options.directories.to_objc());
342            panel.setCanChooseFiles_(options.files.to_objc());
343            panel.setAllowsMultipleSelection_(options.multiple.to_objc());
344            panel.setResolvesAliases_(false.to_objc());
345            let (done_tx, done_rx) = oneshot::channel();
346            let done_tx = Cell::new(Some(done_tx));
347            let block = ConcreteBlock::new(move |response: NSModalResponse| {
348                let result = if response == NSModalResponse::NSModalResponseOk {
349                    let mut result = Vec::new();
350                    let urls = panel.URLs();
351                    for i in 0..urls.count() {
352                        let url = urls.objectAtIndex(i);
353                        if url.isFileURL() == YES {
354                            if let Ok(path) = ns_url_to_path(url) {
355                                result.push(path)
356                            }
357                        }
358                    }
359                    Some(result)
360                } else {
361                    None
362                };
363
364                if let Some(mut done_tx) = done_tx.take() {
365                    let _ = postage::sink::Sink::try_send(&mut done_tx, result);
366                }
367            });
368            let block = block.copy();
369            let _: () = msg_send![panel, beginWithCompletionHandler: block];
370            done_rx
371        }
372    }
373
374    fn prompt_for_new_path(&self, directory: &Path) -> oneshot::Receiver<Option<PathBuf>> {
375        unsafe {
376            let panel = NSSavePanel::savePanel(nil);
377            let path = ns_string(directory.to_string_lossy().as_ref());
378            let url = NSURL::fileURLWithPath_isDirectory_(nil, path, true.to_objc());
379            panel.setDirectoryURL(url);
380
381            let (done_tx, done_rx) = oneshot::channel();
382            let done_tx = Cell::new(Some(done_tx));
383            let block = ConcreteBlock::new(move |response: NSModalResponse| {
384                let mut result = None;
385                if response == NSModalResponse::NSModalResponseOk {
386                    let url = panel.URL();
387                    if url.isFileURL() == YES {
388                        result = ns_url_to_path(panel.URL()).ok()
389                    }
390                }
391
392                if let Some(mut done_tx) = done_tx.take() {
393                    let _ = postage::sink::Sink::try_send(&mut done_tx, result);
394                }
395            });
396            let block = block.copy();
397            let _: () = msg_send![panel, beginWithCompletionHandler: block];
398            done_rx
399        }
400    }
401}
402
403pub struct MacPlatform {
404    dispatcher: Arc<Dispatcher>,
405    fonts: Arc<FontSystem>,
406    pasteboard: id,
407    text_hash_pasteboard_type: id,
408    metadata_pasteboard_type: id,
409}
410
411impl MacPlatform {
412    pub fn new() -> Self {
413        Self {
414            dispatcher: Arc::new(Dispatcher),
415            fonts: Arc::new(FontSystem::new()),
416            pasteboard: unsafe { NSPasteboard::generalPasteboard(nil) },
417            text_hash_pasteboard_type: unsafe { ns_string("zed-text-hash") },
418            metadata_pasteboard_type: unsafe { ns_string("zed-metadata") },
419        }
420    }
421
422    unsafe fn read_from_pasteboard(&self, kind: id) -> Option<&[u8]> {
423        let data = self.pasteboard.dataForType(kind);
424        if data == nil {
425            None
426        } else {
427            Some(slice::from_raw_parts(
428                data.bytes() as *mut u8,
429                data.length() as usize,
430            ))
431        }
432    }
433}
434
435unsafe impl Send for MacPlatform {}
436unsafe impl Sync for MacPlatform {}
437
438impl platform::Platform for MacPlatform {
439    fn dispatcher(&self) -> Arc<dyn platform::Dispatcher> {
440        self.dispatcher.clone()
441    }
442
443    fn activate(&self, ignoring_other_apps: bool) {
444        unsafe {
445            let app = NSApplication::sharedApplication(nil);
446            app.activateIgnoringOtherApps_(ignoring_other_apps.to_objc());
447        }
448    }
449
450    fn hide(&self) {
451        unsafe {
452            let app = NSApplication::sharedApplication(nil);
453            let _: () = msg_send![app, hide: nil];
454        }
455    }
456
457    fn hide_other_apps(&self) {
458        unsafe {
459            let app = NSApplication::sharedApplication(nil);
460            let _: () = msg_send![app, hideOtherApplications: nil];
461        }
462    }
463
464    fn unhide_other_apps(&self) {
465        unsafe {
466            let app = NSApplication::sharedApplication(nil);
467            let _: () = msg_send![app, unhideAllApplications: nil];
468        }
469    }
470
471    fn quit(&self) {
472        // Quitting the app causes us to close windows, which invokes `Window::on_close` callbacks
473        // synchronously before this method terminates. If we call `Platform::quit` while holding a
474        // borrow of the app state (which most of the time we will do), we will end up
475        // double-borrowing the app state in the `on_close` callbacks for our open windows. To solve
476        // this, we make quitting the application asynchronous so that we aren't holding borrows to
477        // the app state on the stack when we actually terminate the app.
478
479        use super::dispatcher::{dispatch_async_f, dispatch_get_main_queue};
480
481        unsafe {
482            dispatch_async_f(dispatch_get_main_queue(), ptr::null_mut(), Some(quit));
483        }
484
485        unsafe extern "C" fn quit(_: *mut c_void) {
486            let app = NSApplication::sharedApplication(nil);
487            let _: () = msg_send![app, terminate: nil];
488        }
489    }
490
491    fn screen_size(&self) -> Vector2F {
492        unsafe {
493            let screen = NSScreen::mainScreen(nil);
494            let frame = NSScreen::frame(screen);
495            vec2f(frame.size.width as f32, frame.size.height as f32)
496        }
497    }
498
499    fn open_window(
500        &self,
501        id: usize,
502        options: platform::WindowOptions,
503        executor: Rc<executor::Foreground>,
504    ) -> Box<dyn platform::Window> {
505        Box::new(Window::open(id, options, executor, self.fonts()))
506    }
507
508    fn key_window_id(&self) -> Option<usize> {
509        Window::key_window_id()
510    }
511
512    fn add_status_item(&self) -> Box<dyn platform::Window> {
513        Box::new(StatusItem::add(self.fonts()))
514    }
515
516    fn fonts(&self) -> Arc<dyn platform::FontSystem> {
517        self.fonts.clone()
518    }
519
520    fn write_to_clipboard(&self, item: ClipboardItem) {
521        unsafe {
522            self.pasteboard.clearContents();
523
524            let text_bytes = NSData::dataWithBytes_length_(
525                nil,
526                item.text.as_ptr() as *const c_void,
527                item.text.len() as u64,
528            );
529            self.pasteboard
530                .setData_forType(text_bytes, NSPasteboardTypeString);
531
532            if let Some(metadata) = item.metadata.as_ref() {
533                let hash_bytes = ClipboardItem::text_hash(&item.text).to_be_bytes();
534                let hash_bytes = NSData::dataWithBytes_length_(
535                    nil,
536                    hash_bytes.as_ptr() as *const c_void,
537                    hash_bytes.len() as u64,
538                );
539                self.pasteboard
540                    .setData_forType(hash_bytes, self.text_hash_pasteboard_type);
541
542                let metadata_bytes = NSData::dataWithBytes_length_(
543                    nil,
544                    metadata.as_ptr() as *const c_void,
545                    metadata.len() as u64,
546                );
547                self.pasteboard
548                    .setData_forType(metadata_bytes, self.metadata_pasteboard_type);
549            }
550        }
551    }
552
553    fn read_from_clipboard(&self) -> Option<ClipboardItem> {
554        unsafe {
555            if let Some(text_bytes) = self.read_from_pasteboard(NSPasteboardTypeString) {
556                let text = String::from_utf8_lossy(text_bytes).to_string();
557                let hash_bytes = self
558                    .read_from_pasteboard(self.text_hash_pasteboard_type)
559                    .and_then(|bytes| bytes.try_into().ok())
560                    .map(u64::from_be_bytes);
561                let metadata_bytes = self
562                    .read_from_pasteboard(self.metadata_pasteboard_type)
563                    .and_then(|bytes| String::from_utf8(bytes.to_vec()).ok());
564
565                if let Some((hash, metadata)) = hash_bytes.zip(metadata_bytes) {
566                    if hash == ClipboardItem::text_hash(&text) {
567                        Some(ClipboardItem {
568                            text,
569                            metadata: Some(metadata),
570                        })
571                    } else {
572                        Some(ClipboardItem {
573                            text,
574                            metadata: None,
575                        })
576                    }
577                } else {
578                    Some(ClipboardItem {
579                        text,
580                        metadata: None,
581                    })
582                }
583            } else {
584                None
585            }
586        }
587    }
588
589    fn open_url(&self, url: &str) {
590        unsafe {
591            let url = NSURL::alloc(nil)
592                .initWithString_(ns_string(url))
593                .autorelease();
594            let workspace: id = msg_send![class!(NSWorkspace), sharedWorkspace];
595            msg_send![workspace, openURL: url]
596        }
597    }
598
599    fn write_credentials(&self, url: &str, username: &str, password: &[u8]) -> Result<()> {
600        let url = CFString::from(url);
601        let username = CFString::from(username);
602        let password = CFData::from_buffer(password);
603
604        unsafe {
605            use security::*;
606
607            // First, check if there are already credentials for the given server. If so, then
608            // update the username and password.
609            let mut verb = "updating";
610            let mut query_attrs = CFMutableDictionary::with_capacity(2);
611            query_attrs.set(kSecClass as *const _, kSecClassInternetPassword as *const _);
612            query_attrs.set(kSecAttrServer as *const _, url.as_CFTypeRef());
613
614            let mut attrs = CFMutableDictionary::with_capacity(4);
615            attrs.set(kSecClass as *const _, kSecClassInternetPassword as *const _);
616            attrs.set(kSecAttrServer as *const _, url.as_CFTypeRef());
617            attrs.set(kSecAttrAccount as *const _, username.as_CFTypeRef());
618            attrs.set(kSecValueData as *const _, password.as_CFTypeRef());
619
620            let mut status = SecItemUpdate(
621                query_attrs.as_concrete_TypeRef(),
622                attrs.as_concrete_TypeRef(),
623            );
624
625            // If there were no existing credentials for the given server, then create them.
626            if status == errSecItemNotFound {
627                verb = "creating";
628                status = SecItemAdd(attrs.as_concrete_TypeRef(), ptr::null_mut());
629            }
630
631            if status != errSecSuccess {
632                return Err(anyhow!("{} password failed: {}", verb, status));
633            }
634        }
635        Ok(())
636    }
637
638    fn read_credentials(&self, url: &str) -> Result<Option<(String, Vec<u8>)>> {
639        let url = CFString::from(url);
640        let cf_true = CFBoolean::true_value().as_CFTypeRef();
641
642        unsafe {
643            use security::*;
644
645            // Find any credentials for the given server URL.
646            let mut attrs = CFMutableDictionary::with_capacity(5);
647            attrs.set(kSecClass as *const _, kSecClassInternetPassword as *const _);
648            attrs.set(kSecAttrServer as *const _, url.as_CFTypeRef());
649            attrs.set(kSecReturnAttributes as *const _, cf_true);
650            attrs.set(kSecReturnData as *const _, cf_true);
651
652            let mut result = CFTypeRef::from(ptr::null_mut());
653            let status = SecItemCopyMatching(attrs.as_concrete_TypeRef(), &mut result);
654            match status {
655                security::errSecSuccess => {}
656                security::errSecItemNotFound | security::errSecUserCanceled => return Ok(None),
657                _ => return Err(anyhow!("reading password failed: {}", status)),
658            }
659
660            let result = CFType::wrap_under_create_rule(result)
661                .downcast::<CFDictionary>()
662                .ok_or_else(|| anyhow!("keychain item was not a dictionary"))?;
663            let username = result
664                .find(kSecAttrAccount as *const _)
665                .ok_or_else(|| anyhow!("account was missing from keychain item"))?;
666            let username = CFType::wrap_under_get_rule(*username)
667                .downcast::<CFString>()
668                .ok_or_else(|| anyhow!("account was not a string"))?;
669            let password = result
670                .find(kSecValueData as *const _)
671                .ok_or_else(|| anyhow!("password was missing from keychain item"))?;
672            let password = CFType::wrap_under_get_rule(*password)
673                .downcast::<CFData>()
674                .ok_or_else(|| anyhow!("password was not a string"))?;
675
676            Ok(Some((username.to_string(), password.bytes().to_vec())))
677        }
678    }
679
680    fn delete_credentials(&self, url: &str) -> Result<()> {
681        let url = CFString::from(url);
682
683        unsafe {
684            use security::*;
685
686            let mut query_attrs = CFMutableDictionary::with_capacity(2);
687            query_attrs.set(kSecClass as *const _, kSecClassInternetPassword as *const _);
688            query_attrs.set(kSecAttrServer as *const _, url.as_CFTypeRef());
689
690            let status = SecItemDelete(query_attrs.as_concrete_TypeRef());
691
692            if status != errSecSuccess {
693                return Err(anyhow!("delete password failed: {}", status));
694            }
695        }
696        Ok(())
697    }
698
699    fn set_cursor_style(&self, style: CursorStyle) {
700        unsafe {
701            let cursor: id = match style {
702                CursorStyle::Arrow => msg_send![class!(NSCursor), arrowCursor],
703                CursorStyle::ResizeLeftRight => msg_send![class!(NSCursor), resizeLeftRightCursor],
704                CursorStyle::ResizeUpDown => msg_send![class!(NSCursor), resizeUpDownCursor],
705                CursorStyle::PointingHand => msg_send![class!(NSCursor), pointingHandCursor],
706                CursorStyle::IBeam => msg_send![class!(NSCursor), IBeamCursor],
707            };
708            let _: () = msg_send![cursor, set];
709        }
710    }
711
712    fn local_timezone(&self) -> UtcOffset {
713        unsafe {
714            let local_timezone: id = msg_send![class!(NSTimeZone), localTimeZone];
715            let seconds_from_gmt: NSInteger = msg_send![local_timezone, secondsFromGMT];
716            UtcOffset::from_whole_seconds(seconds_from_gmt.try_into().unwrap()).unwrap()
717        }
718    }
719
720    fn path_for_auxiliary_executable(&self, name: &str) -> Result<PathBuf> {
721        unsafe {
722            let bundle: id = NSBundle::mainBundle();
723            if bundle.is_null() {
724                Err(anyhow!("app is not running inside a bundle"))
725            } else {
726                let name = ns_string(name);
727                let url: id = msg_send![bundle, URLForAuxiliaryExecutable: name];
728                if url.is_null() {
729                    Err(anyhow!("resource not found"))
730                } else {
731                    ns_url_to_path(url)
732                }
733            }
734        }
735    }
736
737    fn app_path(&self) -> Result<PathBuf> {
738        unsafe {
739            let bundle: id = NSBundle::mainBundle();
740            if bundle.is_null() {
741                Err(anyhow!("app is not running inside a bundle"))
742            } else {
743                Ok(path_from_objc(msg_send![bundle, bundlePath]))
744            }
745        }
746    }
747
748    fn app_version(&self) -> Result<platform::AppVersion> {
749        unsafe {
750            let bundle: id = NSBundle::mainBundle();
751            if bundle.is_null() {
752                Err(anyhow!("app is not running inside a bundle"))
753            } else {
754                let version: id = msg_send![bundle, objectForInfoDictionaryKey: ns_string("CFBundleShortVersionString")];
755                let len = msg_send![version, lengthOfBytesUsingEncoding: NSUTF8StringEncoding];
756                let bytes = version.UTF8String() as *const u8;
757                let version = str::from_utf8(slice::from_raw_parts(bytes, len)).unwrap();
758                version.parse()
759            }
760        }
761    }
762
763    fn os_name(&self) -> &'static str {
764        "macOS"
765    }
766
767    fn os_version(&self) -> Result<crate::AppVersion> {
768        unsafe {
769            let process_info = NSProcessInfo::processInfo(nil);
770            let version = process_info.operatingSystemVersion();
771            Ok(AppVersion {
772                major: version.majorVersion as usize,
773                minor: version.minorVersion as usize,
774                patch: version.patchVersion as usize,
775            })
776        }
777    }
778}
779
780unsafe fn path_from_objc(path: id) -> PathBuf {
781    let len = msg_send![path, lengthOfBytesUsingEncoding: NSUTF8StringEncoding];
782    let bytes = path.UTF8String() as *const u8;
783    let path = str::from_utf8(slice::from_raw_parts(bytes, len)).unwrap();
784    PathBuf::from(path)
785}
786
787unsafe fn get_foreground_platform(object: &mut Object) -> &MacForegroundPlatform {
788    let platform_ptr: *mut c_void = *object.get_ivar(MAC_PLATFORM_IVAR);
789    assert!(!platform_ptr.is_null());
790    &*(platform_ptr as *const MacForegroundPlatform)
791}
792
793extern "C" fn send_event(this: &mut Object, _sel: Sel, native_event: id) {
794    unsafe {
795        if let Some(event) = Event::from_native(native_event, None) {
796            let platform = get_foreground_platform(this);
797            if let Some(callback) = platform.0.borrow_mut().event.as_mut() {
798                if callback(event) {
799                    return;
800                }
801            }
802        }
803
804        msg_send![super(this, class!(NSApplication)), sendEvent: native_event]
805    }
806}
807
808extern "C" fn did_finish_launching(this: &mut Object, _: Sel, _: id) {
809    unsafe {
810        let app: id = msg_send![APP_CLASS, sharedApplication];
811        app.setActivationPolicy_(NSApplicationActivationPolicyRegular);
812
813        let platform = get_foreground_platform(this);
814        let callback = platform.0.borrow_mut().finish_launching.take();
815        if let Some(callback) = callback {
816            callback();
817        }
818    }
819}
820
821extern "C" fn did_become_active(this: &mut Object, _: Sel, _: id) {
822    let platform = unsafe { get_foreground_platform(this) };
823    if let Some(callback) = platform.0.borrow_mut().become_active.as_mut() {
824        callback();
825    }
826}
827
828extern "C" fn did_resign_active(this: &mut Object, _: Sel, _: id) {
829    let platform = unsafe { get_foreground_platform(this) };
830    if let Some(callback) = platform.0.borrow_mut().resign_active.as_mut() {
831        callback();
832    }
833}
834
835extern "C" fn will_terminate(this: &mut Object, _: Sel, _: id) {
836    let platform = unsafe { get_foreground_platform(this) };
837    if let Some(callback) = platform.0.borrow_mut().quit.as_mut() {
838        callback();
839    }
840}
841
842extern "C" fn open_urls(this: &mut Object, _: Sel, _: id, urls: id) {
843    let urls = unsafe {
844        (0..urls.count())
845            .into_iter()
846            .filter_map(|i| {
847                let path = urls.objectAtIndex(i);
848                match CStr::from_ptr(path.absoluteString().UTF8String() as *mut c_char).to_str() {
849                    Ok(string) => Some(string.to_string()),
850                    Err(err) => {
851                        log::error!("error converting path to string: {}", err);
852                        None
853                    }
854                }
855            })
856            .collect::<Vec<_>>()
857    };
858    let platform = unsafe { get_foreground_platform(this) };
859    if let Some(callback) = platform.0.borrow_mut().open_urls.as_mut() {
860        callback(urls);
861    }
862}
863
864extern "C" fn handle_menu_item(this: &mut Object, _: Sel, item: id) {
865    unsafe {
866        let platform = get_foreground_platform(this);
867        let mut platform = platform.0.borrow_mut();
868        if let Some(mut callback) = platform.menu_command.take() {
869            let tag: NSInteger = msg_send![item, tag];
870            let index = tag as usize;
871            if let Some(action) = platform.menu_actions.get(index) {
872                callback(action.as_ref());
873            }
874            platform.menu_command = Some(callback);
875        }
876    }
877}
878
879extern "C" fn validate_menu_item(this: &mut Object, _: Sel, item: id) -> bool {
880    unsafe {
881        let mut result = false;
882        let platform = get_foreground_platform(this);
883        let mut platform = platform.0.borrow_mut();
884        if let Some(mut callback) = platform.validate_menu_command.take() {
885            let tag: NSInteger = msg_send![item, tag];
886            let index = tag as usize;
887            if let Some(action) = platform.menu_actions.get(index) {
888                result = callback(action.as_ref());
889            }
890            platform.validate_menu_command = Some(callback);
891        }
892        result
893    }
894}
895
896extern "C" fn menu_will_open(this: &mut Object, _: Sel, _: id) {
897    unsafe {
898        let platform = get_foreground_platform(this);
899        let mut platform = platform.0.borrow_mut();
900        if let Some(mut callback) = platform.will_open_menu.take() {
901            callback();
902            platform.will_open_menu = Some(callback);
903        }
904    }
905}
906
907unsafe fn ns_string(string: &str) -> id {
908    NSString::alloc(nil).init_str(string).autorelease()
909}
910
911unsafe fn ns_url_to_path(url: id) -> Result<PathBuf> {
912    let path: *mut c_char = msg_send![url, fileSystemRepresentation];
913    if path.is_null() {
914        Err(anyhow!(
915            "url is not a file path: {}",
916            CStr::from_ptr(url.absoluteString().UTF8String()).to_string_lossy()
917        ))
918    } else {
919        Ok(PathBuf::from(OsStr::from_bytes(
920            CStr::from_ptr(path).to_bytes(),
921        )))
922    }
923}
924
925mod security {
926    #![allow(non_upper_case_globals)]
927    use super::*;
928
929    #[link(name = "Security", kind = "framework")]
930    extern "C" {
931        pub static kSecClass: CFStringRef;
932        pub static kSecClassInternetPassword: CFStringRef;
933        pub static kSecAttrServer: CFStringRef;
934        pub static kSecAttrAccount: CFStringRef;
935        pub static kSecValueData: CFStringRef;
936        pub static kSecReturnAttributes: CFStringRef;
937        pub static kSecReturnData: CFStringRef;
938
939        pub fn SecItemAdd(attributes: CFDictionaryRef, result: *mut CFTypeRef) -> OSStatus;
940        pub fn SecItemUpdate(query: CFDictionaryRef, attributes: CFDictionaryRef) -> OSStatus;
941        pub fn SecItemDelete(query: CFDictionaryRef) -> OSStatus;
942        pub fn SecItemCopyMatching(query: CFDictionaryRef, result: *mut CFTypeRef) -> OSStatus;
943    }
944
945    pub const errSecSuccess: OSStatus = 0;
946    pub const errSecUserCanceled: OSStatus = -128;
947    pub const errSecItemNotFound: OSStatus = -25300;
948}
949
950#[cfg(test)]
951mod tests {
952    use crate::platform::Platform;
953
954    use super::*;
955
956    #[test]
957    fn test_clipboard() {
958        let platform = build_platform();
959        assert_eq!(platform.read_from_clipboard(), None);
960
961        let item = ClipboardItem::new("1".to_string());
962        platform.write_to_clipboard(item.clone());
963        assert_eq!(platform.read_from_clipboard(), Some(item));
964
965        let item = ClipboardItem::new("2".to_string()).with_metadata(vec![3, 4]);
966        platform.write_to_clipboard(item.clone());
967        assert_eq!(platform.read_from_clipboard(), Some(item));
968
969        let text_from_other_app = "text from other app";
970        unsafe {
971            let bytes = NSData::dataWithBytes_length_(
972                nil,
973                text_from_other_app.as_ptr() as *const c_void,
974                text_from_other_app.len() as u64,
975            );
976            platform
977                .pasteboard
978                .setData_forType(bytes, NSPasteboardTypeString);
979        }
980        assert_eq!(
981            platform.read_from_clipboard(),
982            Some(ClipboardItem::new(text_from_other_app.to_string()))
983        );
984    }
985
986    fn build_platform() -> MacPlatform {
987        let mut platform = MacPlatform::new();
988        platform.pasteboard = unsafe { NSPasteboard::pasteboardWithUniqueName(nil) };
989        platform
990    }
991}