Avoid crash when resizing window
[MacVim.git] / src / MacVim / gui_macvim.m
bloba54d35e0eb0d0a3557774f20cc3765bedb1fb7a7
1 /* vi:set ts=8 sts=4 sw=4 ft=objc:
2  *
3  * VIM - Vi IMproved            by Bram Moolenaar
4  *                              MacVim GUI port by Bjorn Winckler
5  *
6  * Do ":help uganda"  in Vim to read copying and usage conditions.
7  * Do ":help credits" in Vim to see a list of people who contributed.
8  * See README.txt for an overview of the Vim source code.
9  */
11  * gui_macvim.m
12  *
13  * Hooks for the Vim gui code.  Mainly passes control on to MMBackend.
14  */
16 #import "MMBackend.h"
17 #import "MacVim.h"
18 #import "vim.h"
19 #import <Foundation/Foundation.h>
23 // NOTE: The default font is bundled with the application.
24 static NSString *MMDefaultFontName = @"DejaVu Sans Mono";
25 static float MMDefaultFontSize = 12.0f;
26 static float MMMinFontSize = 6.0f;
27 static float MMMaxFontSize = 100.0f;
28 static BOOL gui_mch_init_has_finished = NO;
31 static NSFont *gui_macvim_font_with_name(char_u *name);
32 static int specialKeyToNSKey(int key);
33 static int vimModMaskToEventModifierFlags(int mods);
35 NSArray *descriptor_for_menu(vimmenu_T *menu);
36 vimmenu_T *menu_for_descriptor(NSArray *desc);
40 // -- Initialization --------------------------------------------------------
43  * Parse the GUI related command-line arguments.  Any arguments used are
44  * deleted from argv, and *argc is decremented accordingly.  This is called
45  * when vim is started, whether or not the GUI has been started.
46  */
47     void
48 gui_mch_prepare(int *argc, char **argv)
50     //NSLog(@"gui_mch_prepare(argc=%d)", *argc);
52     // Set environment variables $VIM and $VIMRUNTIME
53     // NOTE!  If vim_getenv is called with one of these as parameters before
54     // they have been set here, they will most likely end up with the wrong
55     // values!
56     //
57     // TODO:
58     // - ensure this is called first to avoid above problem
59     // - encoding
61     NSString *path = [[[NSBundle mainBundle] resourcePath]
62         stringByAppendingPathComponent:@"vim"];
63     vim_setenv((char_u*)"VIM", (char_u*)[path UTF8String]);
65     path = [path stringByAppendingPathComponent:@"runtime"];
66     vim_setenv((char_u*)"VIMRUNTIME", (char_u*)[path UTF8String]);
68     int i;
69     for (i = 0; i < *argc; ++i) {
70         if (strncmp(argv[i], "--mmwaitforack", 14) == 0) {
71             [[MMBackend sharedInstance] setWaitForAck:YES];
72             --*argc;
73             if (*argc > i)
74                 mch_memmove(&argv[i], &argv[i+1], (*argc-i) * sizeof(char*));
75             break;
76         }
77     }
82  * Check if the GUI can be started.  Called before gvimrc is sourced.
83  * Return OK or FAIL.
84  */
85     int
86 gui_mch_init_check(void)
88     //NSLog(@"gui_mch_init_check()");
89     return OK;
94  * Initialise the GUI.  Create all the windows, set up all the call-backs etc.
95  * Returns OK for success, FAIL when the GUI can't be started.
96  */
97     int
98 gui_mch_init(void)
100     //NSLog(@"gui_mch_init()");
102     // NOTE! Because OS X has to exec after fork we effectively end up doing
103     // the initialization twice (because this function is called before the
104     // fork).  To avoid all this extra work we check if Vim is about to fork,
105     // and if so do nothing for now.
106     //
107     // TODO: Is this check 100% foolproof?
108     if (gui.dofork && (vim_strchr(p_go, GO_FORG) == NULL))
109         return OK;
111     if (![[MMBackend sharedInstance] checkin]) {
112         // TODO: Kill the process if there is no terminal to fall back on,
113         // otherwise the process will run outputting to the console.
114         return FAIL;
115     }
117     // Force 'termencoding' to utf-8 (changes to 'tenc' are disallowed in
118     // 'option.c', so that ':set termencoding=...' is impossible).
119     set_option_value((char_u *)"termencoding", 0L, (char_u *)"utf-8", 0);
121     // Set values so that pixels and characters are in one-to-one
122     // correspondence (assuming all characters have the same dimensions).
123     gui.scrollbar_width = gui.scrollbar_height = 0;
125     gui.char_height = 1;
126     gui.char_width = 1;
127     gui.char_ascent = 0;
129     gui_mch_def_colors();
131     [[MMBackend sharedInstance]
132         setDefaultColorsBackground:gui.back_pixel foreground:gui.norm_pixel];
133     [[MMBackend sharedInstance] setBackgroundColor:gui.back_pixel];
134     [[MMBackend sharedInstance] setForegroundColor:gui.norm_pixel];
136     // NOTE: If this call is left out the cursor is opaque.
137     highlight_gui_started();
139     // Ensure 'linespace' option is passed along to MacVim in case it was set
140     // in [g]vimrc.
141     gui_mch_adjust_charheight();
143     gui_mch_init_has_finished = YES;
145     return OK;
150     void
151 gui_mch_exit(int rc)
153     //NSLog(@"gui_mch_exit(rc=%d)", rc);
155     [[MMBackend sharedInstance] exit];
160  * Open the GUI window which was created by a call to gui_mch_init().
161  */
162     int
163 gui_mch_open(void)
165     //NSLog(@"gui_mch_open()");
167     // This check is to avoid doing extra work when we're about to fork.
168     if (!gui_mch_init_has_finished)
169         return OK;
171     return [[MMBackend sharedInstance] openGUIWindow];
175 // -- Updating --------------------------------------------------------------
179  * Catch up with any queued X events.  This may put keyboard input into the
180  * input buffer, call resize call-backs, trigger timers etc.  If there is
181  * nothing in the X event queue (& no timers pending), then we return
182  * immediately.
183  */
184     void
185 gui_mch_update(void)
187     // This function is called extremely often.  It is tempting to do nothing
188     // here to avoid reduced frame-rates but then it would not be possible to
189     // interrupt Vim by presssing Ctrl-C during lengthy operations (e.g. after
190     // entering "10gs" it would not be possible to bring Vim out of the 10 s
191     // sleep prematurely).  As a compromise we check for Ctrl-C only once per
192     // second.
193     static CFAbsoluteTime lastTime = 0;
195     CFAbsoluteTime nowTime = CFAbsoluteTimeGetCurrent();
196     if (nowTime - lastTime > 1.0) {
197         [[MMBackend sharedInstance] update];
198         lastTime = nowTime;
199     }
203 /* Flush any output to the screen */
204     void
205 gui_mch_flush(void)
207     // This function is called way too often to be useful as a hint for
208     // flushing.  If we were to flush every time it was called the screen would
209     // flicker.
213 /* Force flush output to MacVim.  Do not call this method unless absolutely
214  * necessary. */
215     void
216 gui_macvim_force_flush(void)
218     [[MMBackend sharedInstance] flushQueue:YES];
223  * GUI input routine called by gui_wait_for_chars().  Waits for a character
224  * from the keyboard.
225  *  wtime == -1     Wait forever.
226  *  wtime == 0      This should never happen.
227  *  wtime > 0       Wait wtime milliseconds for a character.
228  * Returns OK if a character was found to be available within the given time,
229  * or FAIL otherwise.
230  */
231     int
232 gui_mch_wait_for_chars(int wtime)
234     // NOTE! In all likelihood Vim will take a nap when waitForInput: is
235     // called, so force a flush of the command queue here.
236     [[MMBackend sharedInstance] flushQueue:YES];
238     return [[MMBackend sharedInstance] waitForInput:wtime];
242 // -- Drawing ---------------------------------------------------------------
246  * Clear the whole text window.
247  */
248     void
249 gui_mch_clear_all(void)
251     [[MMBackend sharedInstance] clearAll];
256  * Clear a rectangular region of the screen from text pos (row1, col1) to
257  * (row2, col2) inclusive.
258  */
259     void
260 gui_mch_clear_block(int row1, int col1, int row2, int col2)
262     [[MMBackend sharedInstance] clearBlockFromRow:row1 column:col1
263                                                     toRow:row2 column:col2];
268  * Delete the given number of lines from the given row, scrolling up any
269  * text further down within the scroll region.
270  */
271     void
272 gui_mch_delete_lines(int row, int num_lines)
274     [[MMBackend sharedInstance] deleteLinesFromRow:row count:num_lines
275             scrollBottom:gui.scroll_region_bot
276                     left:gui.scroll_region_left
277                    right:gui.scroll_region_right];
281     void
282 gui_mch_draw_string(int row, int col, char_u *s, int len, int flags)
284 #ifdef FEAT_MBYTE
285     char_u *conv_str = NULL;
286     if (output_conv.vc_type != CONV_NONE) {
287         conv_str = string_convert(&output_conv, s, &len);
288         if (conv_str)
289             s = conv_str;
290     }
291 #endif
293     [[MMBackend sharedInstance] drawString:(char*)s length:len row:row
294                                     column:col cells:len flags:flags];
296 #ifdef FEAT_MBYTE
297     if (conv_str)
298         vim_free(conv_str);
299 #endif
303     int
304 gui_macvim_draw_string(int row, int col, char_u *s, int len, int flags)
306     int c, cn, cl, i;
307     int start = 0;
308     int endcol = col;
309     int startcol = col;
310     BOOL wide = NO;
311     MMBackend *backend = [MMBackend sharedInstance];
312 #ifdef FEAT_MBYTE
313     char_u *conv_str = NULL;
315     if (output_conv.vc_type != CONV_NONE) {
316         conv_str = string_convert(&output_conv, s, &len);
317         if (conv_str)
318             s = conv_str;
319     }
320 #endif
322     // Loop over each character and output text when it changes from normal to
323     // wide and vice versa.
324     for (i = 0; i < len; i += cl) {
325         c = utf_ptr2char(s + i);
326         cn = utf_char2cells(c);
327         cl = utf_ptr2len(s + i);
328         if (0 == cl)
329             len = i;    // len must be wrong (shouldn't happen)
331         if (!utf_iscomposing(c)) {
332             if ((cn > 1 && !wide) || (cn <= 1 && wide)) {
333                 // Changed from normal to wide or vice versa.
334                 [backend drawString:(char*)(s+start) length:i-start
335                                    row:row column:startcol
336                                  cells:endcol-startcol
337                                  flags:(wide ? flags|DRAW_WIDE : flags)];
339                 start = i;
340                 startcol = endcol;
341             }
343             wide = cn > 1;
344             endcol += cn;
345         }
346     }
348     // Output remaining characters.
349     [backend drawString:(char*)(s+start) length:len-start
350                     row:row column:startcol cells:endcol-startcol
351                   flags:(wide ? flags|DRAW_WIDE : flags)];
353 #ifdef FEAT_MBYTE
354     if (conv_str)
355         vim_free(conv_str);
356 #endif
358     return endcol - col;
363  * Insert the given number of lines before the given row, scrolling down any
364  * following text within the scroll region.
365  */
366     void
367 gui_mch_insert_lines(int row, int num_lines)
369     [[MMBackend sharedInstance] insertLinesFromRow:row count:num_lines
370             scrollBottom:gui.scroll_region_bot
371                     left:gui.scroll_region_left
372                    right:gui.scroll_region_right];
377  * Set the current text foreground color.
378  */
379     void
380 gui_mch_set_fg_color(guicolor_T color)
382     [[MMBackend sharedInstance] setForegroundColor:color];
387  * Set the current text background color.
388  */
389     void
390 gui_mch_set_bg_color(guicolor_T color)
392     [[MMBackend sharedInstance] setBackgroundColor:color];
397  * Set the current text special color (used for underlines).
398  */
399     void
400 gui_mch_set_sp_color(guicolor_T color)
402     [[MMBackend sharedInstance] setSpecialColor:color];
407  * Set default colors.
408  */
409     void
410 gui_mch_def_colors()
412     MMBackend *backend = [MMBackend sharedInstance];
414     // The default colors are taken from system values
415     gui.def_norm_pixel = gui.norm_pixel = 
416         [backend lookupColorWithKey:@"MacTextColor"];
417     gui.def_back_pixel = gui.back_pixel = 
418         [backend lookupColorWithKey:@"MacTextBackgroundColor"];
423  * Called when the foreground or background color has been changed.
424  */
425     void
426 gui_mch_new_colors(void)
428     gui.def_back_pixel = gui.back_pixel;
429     gui.def_norm_pixel = gui.norm_pixel;
431     //NSLog(@"gui_mch_new_colors(back=%x, norm=%x)", gui.def_back_pixel,
432     //        gui.def_norm_pixel);
434     [[MMBackend sharedInstance]
435         setDefaultColorsBackground:gui.def_back_pixel
436                         foreground:gui.def_norm_pixel];
440  * Invert a rectangle from row r, column c, for nr rows and nc columns.
441  */
442     void
443 gui_mch_invert_rectangle(int r, int c, int nr, int nc, int invert)
445     [[MMBackend sharedInstance] drawInvertedRectAtRow:r column:c numRows:nr
446             numColumns:nc invert:invert];
451 // -- Tabline ---------------------------------------------------------------
455  * Set the current tab to "nr".  First tab is 1.
456  */
457     void
458 gui_mch_set_curtab(int nr)
460     [[MMBackend sharedInstance] selectTab:nr];
465  * Return TRUE when tabline is displayed.
466  */
467     int
468 gui_mch_showing_tabline(void)
470     return [[MMBackend sharedInstance] tabBarVisible];
474  * Update the labels of the tabline.
475  */
476     void
477 gui_mch_update_tabline(void)
479     [[MMBackend sharedInstance] updateTabBar];
483  * Show or hide the tabline.
484  */
485     void
486 gui_mch_show_tabline(int showit)
488     [[MMBackend sharedInstance] showTabBar:showit];
492 // -- Clipboard -------------------------------------------------------------
495     void
496 clip_mch_lose_selection(VimClipboard *cbd)
501     int
502 clip_mch_own_selection(VimClipboard *cbd)
504     return 0;
508     void
509 clip_mch_request_selection(VimClipboard *cbd)
511     NSPasteboard *pb = [NSPasteboard generalPasteboard];
512     NSArray *supportedTypes = [NSArray arrayWithObjects:VimPBoardType,
513             NSStringPboardType, nil];
514     NSString *bestType = [pb availableTypeFromArray:supportedTypes];
515     if (!bestType) return;
517     int motion_type = MCHAR;
518     NSString *string = nil;
520     if ([bestType isEqual:VimPBoardType]) {
521         // This type should consist of an array with two objects:
522         //   1. motion type (NSNumber)
523         //   2. text (NSString)
524         // If this is not the case we fall back on using NSStringPboardType.
525         id plist = [pb propertyListForType:VimPBoardType];
526         if ([plist isKindOfClass:[NSArray class]] && [plist count] == 2) {
527             id obj = [plist objectAtIndex:1];
528             if ([obj isKindOfClass:[NSString class]]) {
529                 motion_type = [[plist objectAtIndex:0] intValue];
530                 string = obj;
531             }
532         }
533     }
535     if (!string) {
536         // Use NSStringPboardType.  The motion type is set to line-wise if the
537         // string contains at least one EOL character, otherwise it is set to
538         // character-wise (block-wise is never used).
539         NSMutableString *mstring =
540                 [[pb stringForType:NSStringPboardType] mutableCopy];
541         if (!mstring) return;
543         // Replace unrecognized end-of-line sequences with \x0a (line feed).
544         NSRange range = { 0, [mstring length] };
545         unsigned n = [mstring replaceOccurrencesOfString:@"\x0d\x0a"
546                                              withString:@"\x0a" options:0
547                                                   range:range];
548         if (0 == n) {
549             n = [mstring replaceOccurrencesOfString:@"\x0d" withString:@"\x0a"
550                                            options:0 range:range];
551         }
552         
553         // Scan for newline character to decide whether the string should be
554         // pasted line-wise or character-wise.
555         motion_type = MCHAR;
556         if (0 < n || NSNotFound != [mstring rangeOfString:@"\n"].location)
557             motion_type = MLINE;
559         string = mstring;
560     }
562     if (!(MCHAR == motion_type || MLINE == motion_type || MBLOCK == motion_type
563             || MAUTO == motion_type))
564         motion_type = MCHAR;
566     char_u *str = (char_u*)[string UTF8String];
567     int len = [string lengthOfBytesUsingEncoding:NSUTF8StringEncoding];
569 #ifdef FEAT_MBYTE
570     if (input_conv.vc_type != CONV_NONE)
571         str = string_convert(&input_conv, str, &len);
572 #endif
574     if (str)
575         clip_yank_selection(motion_type, str, len, cbd);
577 #ifdef FEAT_MBYTE
578     if (input_conv.vc_type != CONV_NONE)
579         vim_free(str);
580 #endif
585  * Send the current selection to the clipboard.
586  */
587     void
588 clip_mch_set_selection(VimClipboard *cbd)
590     // If the '*' register isn't already filled in, fill it in now.
591     cbd->owned = TRUE;
592     clip_get_selection(cbd);
593     cbd->owned = FALSE;
594     
595     // Get the text to put on the pasteboard.
596     long_u llen = 0; char_u *str = 0;
597     int motion_type = clip_convert_selection(&str, &llen, cbd);
598     if (motion_type < 0)
599         return;
601     // TODO: Avoid overflow.
602     int len = (int)llen;
603 #ifdef FEAT_MBYTE
604     if (output_conv.vc_type != CONV_NONE) {
605         char_u *conv_str = string_convert(&output_conv, str, &len);
606         if (conv_str) {
607             vim_free(str);
608             str = conv_str;
609         }
610     }
611 #endif
613     if (len > 0) {
614         NSString *string = [[NSString alloc]
615             initWithBytes:str length:len encoding:NSUTF8StringEncoding];
617         // See clip_mch_request_selection() for info on pasteboard types.
618         NSPasteboard *pb = [NSPasteboard generalPasteboard];
619         NSArray *supportedTypes = [NSArray arrayWithObjects:VimPBoardType,
620                 NSStringPboardType, nil];
621         [pb declareTypes:supportedTypes owner:nil];
623         NSNumber *motion = [NSNumber numberWithInt:motion_type];
624         NSArray *plist = [NSArray arrayWithObjects:motion, string, nil];
625         [pb setPropertyList:plist forType:VimPBoardType];
627         [pb setString:string forType:NSStringPboardType];
628         
629         [string release];
630     }
632     vim_free(str);
636 // -- Menu ------------------------------------------------------------------
640  * A menu descriptor represents the "address" of a menu as an array of strings.
641  * E.g. the menu "File->Close" has descriptor { "File", "Close" }.
642  */
643     NSArray *
644 descriptor_for_menu(vimmenu_T *menu)
646     if (!menu) return nil;
648     NSMutableArray *desc = [NSMutableArray array];
649     while (menu) {
650         NSString *name = [NSString stringWithVimString:menu->dname];
651         [desc insertObject:name atIndex:0];
652         menu = menu->parent;
653     }
655     return desc;
658     vimmenu_T *
659 menu_for_descriptor(NSArray *desc)
661     if (!(desc && [desc count] > 0)) return NULL;
663     vimmenu_T *menu = root_menu;
664     int i, count = [desc count];
666     for (i = 0; i < count; ++i) {
667         NSString *component = [desc objectAtIndex:i];
668         while (menu) {
669             NSString *name = [NSString stringWithVimString:menu->dname];
670             if ([component isEqual:name]) {
671                 if (i+1 == count)
672                     return menu;    // Matched all components, so return menu
673                 menu = menu->children;
674                 break;
675             }
676             menu = menu->next;
677         }
678     }
680     return NULL;
684  * Add a submenu to the menu bar, toolbar, or a popup menu.
685  */
686     void
687 gui_mch_add_menu(vimmenu_T *menu, int idx)
689     NSArray *desc = descriptor_for_menu(menu);
690     [[MMBackend sharedInstance] queueMessage:AddMenuMsgID properties:
691         [NSDictionary dictionaryWithObjectsAndKeys:
692             desc, @"descriptor",
693             [NSNumber numberWithInt:idx], @"index",
694             nil]];
699  * Add a menu item to a menu
700  */
701     void
702 gui_mch_add_menu_item(vimmenu_T *menu, int idx)
704     char_u *tip = menu->strings[MENU_INDEX_TIP]
705             ? menu->strings[MENU_INDEX_TIP] : menu->actext;
706     NSArray *desc = descriptor_for_menu(menu);
707     NSString *keyEquivalent = menu->mac_key
708         ? [NSString stringWithFormat:@"%C", specialKeyToNSKey(menu->mac_key)]
709         : [NSString string];
710     int modifierMask = vimModMaskToEventModifierFlags(menu->mac_mods);
711     char_u *icon = NULL;
713     if (menu_is_toolbar(menu->parent->name)) {
714         char_u fname[MAXPATHL];
716         // TODO: Ensure menu->iconfile exists (if != NULL)
717         icon = menu->iconfile;
718         if (!icon && gui_find_bitmap(menu->name, fname, "bmp") == OK)
719             icon = fname;
720         if (!icon && menu->iconidx >= 0)
721             icon = menu->dname;
722     }
724     [[MMBackend sharedInstance] queueMessage:AddMenuItemMsgID properties:
725         [NSDictionary dictionaryWithObjectsAndKeys:
726             desc, @"descriptor",
727             [NSNumber numberWithInt:idx], @"index",
728             [NSString stringWithVimString:tip], @"tip",
729             [NSString stringWithVimString:icon], @"icon",
730             keyEquivalent, @"keyEquivalent",
731             [NSNumber numberWithInt:modifierMask], @"modifierMask",
732             [NSString stringWithVimString:menu->mac_action], @"action",
733             [NSNumber numberWithBool:menu->mac_alternate], @"isAlternate",
734             nil]];
739  * Destroy the machine specific menu widget.
740  */
741     void
742 gui_mch_destroy_menu(vimmenu_T *menu)
744     NSArray *desc = descriptor_for_menu(menu);
745     [[MMBackend sharedInstance] queueMessage:RemoveMenuItemMsgID properties:
746         [NSDictionary dictionaryWithObject:desc forKey:@"descriptor"]];
751  * Make a menu either grey or not grey.
752  */
753     void
754 gui_mch_menu_grey(vimmenu_T *menu, int grey)
756     /* Only update menu if the 'grey' state has changed to avoid having to pass
757      * lots of unnecessary data to MacVim.  (Skipping this test makes MacVim
758      * pause noticably on mode changes. */
759     NSArray *desc = descriptor_for_menu(menu);
760     if (menu->was_grey == grey)
761         return;
763     menu->was_grey = grey;
765     [[MMBackend sharedInstance] queueMessage:EnableMenuItemMsgID properties:
766         [NSDictionary dictionaryWithObjectsAndKeys:
767             desc, @"descriptor",
768             [NSNumber numberWithInt:!grey], @"enable",
769             nil]];
774  * Make menu item hidden or not hidden
775  */
776     void
777 gui_mch_menu_hidden(vimmenu_T *menu, int hidden)
779     // HACK! There is no (obvious) way to hide a menu item, so simply
780     // enable/disable it instead.
781     gui_mch_menu_grey(menu, hidden);
786  * This is called when user right clicks.
787  */
788     void
789 gui_mch_show_popupmenu(vimmenu_T *menu)
791     NSArray *desc = descriptor_for_menu(menu);
792     [[MMBackend sharedInstance] queueMessage:ShowPopupMenuMsgID properties:
793         [NSDictionary dictionaryWithObject:desc forKey:@"descriptor"]];
798  * This is called when a :popup command is executed.
799  */
800     void
801 gui_make_popup(char_u *path_name, int mouse_pos)
803     vimmenu_T *menu = gui_find_menu(path_name);
804     if (!(menu && menu->children)) return;
806     NSArray *desc = descriptor_for_menu(menu);
807     NSDictionary *p = (mouse_pos || NULL == curwin)
808         ? [NSDictionary dictionaryWithObject:desc forKey:@"descriptor"]
809         : [NSDictionary dictionaryWithObjectsAndKeys:
810             desc, @"descriptor",
811             [NSNumber numberWithInt:curwin->w_wrow], @"row",
812             [NSNumber numberWithInt:curwin->w_wcol], @"column",
813             nil];
815     [[MMBackend sharedInstance] queueMessage:ShowPopupMenuMsgID properties:p];
820  * This is called after setting all the menus to grey/hidden or not.
821  */
822     void
823 gui_mch_draw_menubar(void)
825     // The (main) menu draws itself in Mac OS X.
829     void
830 gui_mch_enable_menu(int flag)
832     // The (main) menu is always enabled in Mac OS X.
836 #if 0
837     void
838 gui_mch_set_menu_pos(int x, int y, int w, int h)
840     // The (main) menu cannot be moved in Mac OS X.
842 #endif
845     void
846 gui_mch_show_toolbar(int showit)
848     int flags = 0;
849     if (toolbar_flags & TOOLBAR_TEXT) flags |= ToolbarLabelFlag;
850     if (toolbar_flags & TOOLBAR_ICONS) flags |= ToolbarIconFlag;
851     if (tbis_flags & (TBIS_MEDIUM|TBIS_LARGE)) flags |= ToolbarSizeRegularFlag;
853     [[MMBackend sharedInstance] showToolbar:showit flags:flags];
859 // -- Fonts -----------------------------------------------------------------
863  * If a font is not going to be used, free its structure.
864  */
865     void
866 gui_mch_free_font(font)
867     GuiFont     font;
869     if (font != NOFONT) {
870         //NSLog(@"gui_mch_free_font(font=0x%x)", font);
871         [(NSFont*)font release];
872     }
877  * Get a font structure for highlighting.
878  */
879     GuiFont
880 gui_mch_get_font(char_u *name, int giveErrorIfMissing)
882     //NSLog(@"gui_mch_get_font(name=%s, giveErrorIfMissing=%d)", name,
883     //        giveErrorIfMissing);
885     NSFont *font = gui_macvim_font_with_name(name);
886     if (font)
887         return (GuiFont)[font retain];
889     if (giveErrorIfMissing)
890         EMSG2(_(e_font), name);
892     return NOFONT;
896 #if defined(FEAT_EVAL) || defined(PROTO)
898  * Return the name of font "font" in allocated memory.
899  * Don't know how to get the actual name, thus use the provided name.
900  */
901     char_u *
902 gui_mch_get_fontname(GuiFont font, char_u *name)
904     if (name == NULL)
905         return NULL;
906     return vim_strsave(name);
908 #endif
912  * Initialise vim to use the font with the given name.  Return FAIL if the font
913  * could not be loaded, OK otherwise.
914  */
915     int
916 gui_mch_init_font(char_u *font_name, int fontset)
918     //NSLog(@"gui_mch_init_font(font_name=%s, fontset=%d)", font_name, fontset);
920     if (font_name && STRCMP(font_name, "*") == 0) {
921         // :set gfn=* shows the font panel.
922         do_cmdline_cmd((char_u*)":macaction orderFrontFontPanel:");
923         return FAIL;
924     }
926     NSFont *font = gui_macvim_font_with_name(font_name);
927     if (font) {
928         [(NSFont*)gui.norm_font release];
929         gui.norm_font = (GuiFont)[font retain];
931         // NOTE: MacVim keeps separate track of the normal and wide fonts.
932         // Unless the user changes 'guifontwide' manually, they are based on
933         // the same (normal) font.  Also note that each time the normal font is
934         // set, the advancement may change so the wide font needs to be updated
935         // as well (so that it is always twice the width of the normal font).
936         [[MMBackend sharedInstance] setFont:font];
937         [[MMBackend sharedInstance] setWideFont:
938                (NOFONT == gui.wide_font ? font : (NSFont*)gui.wide_font)];
940         return OK;
941     }
943     return FAIL;
948  * Set the current text font.
949  */
950     void
951 gui_mch_set_font(GuiFont font)
953     // Font selection is done inside MacVim...nothing here to do.
957     NSFont *
958 gui_macvim_font_with_name(char_u *name)
960     NSFont *font = nil;
961     NSString *fontName = MMDefaultFontName;
962     float size = MMDefaultFontSize;
963     BOOL parseFailed = NO;
965 #ifdef FEAT_MBYTE
966     name = CONVERT_TO_UTF8(name);
967 #endif
969     if (name) {
970         fontName = [NSString stringWithUTF8String:(char*)name];
972         NSArray *components = [fontName componentsSeparatedByString:@":"];
973         if ([components count] == 2) {
974             NSString *sizeString = [components lastObject];
975             if ([sizeString length] > 0
976                     && [sizeString characterAtIndex:0] == 'h') {
977                 sizeString = [sizeString substringFromIndex:1];
978                 if ([sizeString length] > 0) {
979                     size = [sizeString floatValue];
980                     fontName = [components objectAtIndex:0];
981                 }
982             } else {
983                 parseFailed = YES;
984             }
985         } else if ([components count] > 2) {
986             parseFailed = YES;
987         }
989         if (!parseFailed) {
990             // Replace underscores with spaces.
991             fontName = [[fontName componentsSeparatedByString:@"_"]
992                                      componentsJoinedByString:@" "];
993         }
994     }
996     if (!parseFailed && [fontName length] > 0) {
997         if (size < MMMinFontSize) size = MMMinFontSize;
998         if (size > MMMaxFontSize) size = MMMaxFontSize;
1000         font = [NSFont fontWithName:fontName size:size];
1002         if (!font && MMDefaultFontName == fontName) {
1003             // If for some reason the MacVim default font is not in the app
1004             // bundle, then fall back on the system default font.
1005             font = [NSFont userFixedPitchFontOfSize:0];
1006         }
1007     }
1009 #ifdef FEAT_MBYTE
1010     CONVERT_TO_UTF8_FREE(name);
1011 #endif
1013     return font;
1016 // -- Scrollbars ------------------------------------------------------------
1019     void
1020 gui_mch_create_scrollbar(
1021         scrollbar_T *sb,
1022         int orient)     /* SBAR_VERT or SBAR_HORIZ */
1024     [[MMBackend sharedInstance] 
1025             createScrollbarWithIdentifier:sb->ident type:sb->type];
1029     void
1030 gui_mch_destroy_scrollbar(scrollbar_T *sb)
1032     [[MMBackend sharedInstance] 
1033             destroyScrollbarWithIdentifier:sb->ident];
1037     void
1038 gui_mch_enable_scrollbar(
1039         scrollbar_T     *sb,
1040         int             flag)
1042     [[MMBackend sharedInstance] 
1043             showScrollbarWithIdentifier:sb->ident state:flag];
1047     void
1048 gui_mch_set_scrollbar_pos(
1049         scrollbar_T *sb,
1050         int x,
1051         int y,
1052         int w,
1053         int h)
1055     int pos = y;
1056     int len = h;
1057     if (SBAR_BOTTOM == sb->type) {
1058         pos = x;
1059         len = w; 
1060     }
1062     [[MMBackend sharedInstance] 
1063             setScrollbarPosition:pos length:len identifier:sb->ident];
1067     void
1068 gui_mch_set_scrollbar_thumb(
1069         scrollbar_T *sb,
1070         long val,
1071         long size,
1072         long max)
1074     [[MMBackend sharedInstance] 
1075             setScrollbarThumbValue:val size:size max:max identifier:sb->ident];
1079 // -- Cursor ----------------------------------------------------------------
1083  * Draw a cursor without focus.
1084  */
1085     void
1086 gui_mch_draw_hollow_cursor(guicolor_T color)
1088     return [[MMBackend sharedInstance]
1089         drawCursorAtRow:gui.row column:gui.col shape:MMInsertionPointHollow
1090                fraction:100 color:color];
1095  * Draw part of a cursor, only w pixels wide, and h pixels high.
1096  */
1097     void
1098 gui_mch_draw_part_cursor(int w, int h, guicolor_T color)
1100     // HACK!  'w' and 'h' are always 1 since we do not tell Vim about the exact
1101     // font dimensions.  Thus these parameters are useless.  Instead we look at
1102     // the shape_table to determine the shape and size of the cursor (just like
1103     // gui_update_cursor() does).
1105 #ifdef FEAT_RIGHTLEFT
1106     // If 'rl' is set the insert mode cursor must be drawn on the right-hand
1107     // side of a text cell.
1108     int rl = curwin ? curwin->w_p_rl : FALSE;
1109 #else
1110     int rl = FALSE;
1111 #endif
1112     int idx = get_shape_idx(FALSE);
1113     int shape = MMInsertionPointBlock;
1114     switch (shape_table[idx].shape) {
1115         case SHAPE_HOR:
1116             shape = MMInsertionPointHorizontal;
1117             break;
1118         case SHAPE_VER:
1119             shape = rl ? MMInsertionPointVerticalRight
1120                        : MMInsertionPointVertical;
1121             break;
1122     }
1124     return [[MMBackend sharedInstance]
1125         drawCursorAtRow:gui.row column:gui.col shape:shape
1126                fraction:shape_table[idx].percentage color:color];
1131  * Cursor blink functions.
1133  * This is a simple state machine:
1134  * BLINK_NONE   not blinking at all
1135  * BLINK_OFF    blinking, cursor is not shown
1136  * BLINK_ON blinking, cursor is shown
1137  */
1138     void
1139 gui_mch_set_blinking(long wait, long on, long off)
1141     [[MMBackend sharedInstance] setBlinkWait:wait on:on off:off];
1146  * Start the cursor blinking.  If it was already blinking, this restarts the
1147  * waiting time and shows the cursor.
1148  */
1149     void
1150 gui_mch_start_blink(void)
1152     [[MMBackend sharedInstance] startBlink];
1157  * Stop the cursor blinking.  Show the cursor if it wasn't shown.
1158  */
1159     void
1160 gui_mch_stop_blink(void)
1162     [[MMBackend sharedInstance] stopBlink];
1166 // -- Mouse -----------------------------------------------------------------
1170  * Get current mouse coordinates in text window.
1171  */
1172     void
1173 gui_mch_getmouse(int *x, int *y)
1175     //NSLog(@"gui_mch_getmouse()");
1179     void
1180 gui_mch_setmouse(int x, int y)
1182     //NSLog(@"gui_mch_setmouse(x=%d, y=%d)", x, y);
1186     void
1187 mch_set_mouse_shape(int shape)
1189     [[MMBackend sharedInstance] setMouseShape:shape];
1195 // -- Input Method ----------------------------------------------------------
1197 #if defined(USE_IM_CONTROL)
1199     void
1200 im_set_position(int row, int col)
1202     // The pre-edit area is a popup window which is displayed by MMTextView.
1203     [[MMBackend sharedInstance] setPreEditRow:row column:col];
1207     void
1208 im_set_active(int active)
1210     // Set roman or the system script if 'active' is TRUE or FALSE,
1211     // respectively.
1212     SInt32 systemScript = GetScriptManagerVariable(smSysScript);
1214     if (!p_imdisable && smRoman != systemScript)
1215         KeyScript(active ? smKeySysScript : smKeyRoman);
1219     int
1220 im_get_status(void)
1222     // IM is active whenever the current script is the system script and the
1223     // system script isn't roman.  (Hence IM can only be active when using
1224     // non-roman scripts.)
1225     SInt32 currentScript = GetScriptManagerVariable(smKeyScript);
1226     SInt32 systemScript = GetScriptManagerVariable(smSysScript);
1228     return currentScript != smRoman && currentScript == systemScript;
1231 #endif // defined(USE_IM_CONTROL)
1236 // -- Find & Replace dialog -------------------------------------------------
1238 #ifdef FIND_REPLACE_DIALOG
1240     static void
1241 macvim_find_and_replace(char_u *arg, BOOL replace)
1243     // TODO: Specialized dialog for find without replace?
1244     int wholeWord = FALSE;
1245     int matchCase = !p_ic;
1246     char_u *text  = get_find_dialog_text(arg, &wholeWord, &matchCase);
1248     int flags = 0;
1249     if (wholeWord) flags |= FRD_WHOLE_WORD;
1250     if (matchCase) flags |= FRD_MATCH_CASE;
1252     NSDictionary *args = [NSDictionary dictionaryWithObjectsAndKeys:
1253             [NSString stringWithVimString:text],    @"text",
1254             [NSNumber numberWithInt:flags],         @"flags",
1255             nil];
1257     [[MMBackend sharedInstance] queueMessage:ShowFindReplaceDialogMsgID
1258                                   properties:args];
1261     void
1262 gui_mch_find_dialog(exarg_T *eap)
1264     macvim_find_and_replace(eap->arg, NO);
1267     void
1268 gui_mch_replace_dialog(exarg_T *eap)
1270     macvim_find_and_replace(eap->arg, YES);
1273 #endif // FIND_REPLACE_DIALOG
1278 // -- Unsorted --------------------------------------------------------------
1281     void
1282 ex_macaction(eap)
1283     exarg_T     *eap;
1285     if (!gui.in_use) {
1286         EMSG(_("E???: Command only available in GUI mode"));
1287         return;
1288     }
1290     char_u *arg = eap->arg;
1291 #ifdef FEAT_MBYTE
1292     arg = CONVERT_TO_UTF8(arg);
1293 #endif
1295     NSDictionary *actionDict = [[MMBackend sharedInstance] actionDict];
1296     NSString *name = [NSString stringWithUTF8String:(char*)arg];
1297     if (actionDict && [actionDict objectForKey:name] != nil) {
1298         [[MMBackend sharedInstance] executeActionWithName:name];
1299     } else {
1300         EMSG2(_("E???: Invalid action: %s"), eap->arg);
1301     }
1303 #ifdef FEAT_MBYTE
1304     arg = CONVERT_TO_UTF8(arg);
1305 #endif
1310  * Adjust gui.char_height (after 'linespace' was changed).
1311  */
1312     int
1313 gui_mch_adjust_charheight(void)
1315     [[MMBackend sharedInstance] adjustLinespace:p_linespace];
1316     return OK;
1320     void
1321 gui_mch_beep(void)
1323     NSBeep();
1328 #ifdef FEAT_BROWSE
1330  * Pop open a file browser and return the file selected, in allocated memory,
1331  * or NULL if Cancel is hit.
1332  *  saving  - TRUE if the file will be saved to, FALSE if it will be opened.
1333  *  title   - Title message for the file browser dialog.
1334  *  dflt    - Default name of file.
1335  *  ext     - Default extension to be added to files without extensions.
1336  *  initdir - directory in which to open the browser (NULL = current dir)
1337  *  filter  - Filter for matched files to choose from.
1338  *  Has a format like this:
1339  *  "C Files (*.c)\0*.c\0"
1340  *  "All Files\0*.*\0\0"
1341  *  If these two strings were concatenated, then a choice of two file
1342  *  filters will be selectable to the user.  Then only matching files will
1343  *  be shown in the browser.  If NULL, the default allows all files.
1345  *  *NOTE* - the filter string must be terminated with TWO nulls.
1346  */
1347     char_u *
1348 gui_mch_browse(
1349     int saving,
1350     char_u *title,
1351     char_u *dflt,
1352     char_u *ext,
1353     char_u *initdir,
1354     char_u *filter)
1356     //NSLog(@"gui_mch_browse(saving=%d, title=%s, dflt=%s, ext=%s, initdir=%s,"
1357     //        " filter=%s", saving, title, dflt, ext, initdir, filter);
1359     // Ensure no data is on the output queue before presenting the dialog.
1360     gui_macvim_force_flush();
1362     NSMutableDictionary *attr = [NSMutableDictionary
1363         dictionaryWithObject:[NSNumber numberWithBool:saving]
1364                       forKey:@"saving"];
1365     if (initdir)
1366         [attr setObject:[NSString stringWithVimString:initdir] forKey:@"dir"];
1368     char_u *s = (char_u*)[[MMBackend sharedInstance]
1369                             browseForFileWithAttributes:attr];
1371     return s;
1373 #endif /* FEAT_BROWSE */
1377     int
1378 gui_mch_dialog(
1379     int         type,
1380     char_u      *title,
1381     char_u      *message,
1382     char_u      *buttons,
1383     int         dfltbutton,
1384     char_u      *textfield)
1386     //NSLog(@"gui_mch_dialog(type=%d title=%s message=%s buttons=%s "
1387     //        "dfltbutton=%d textfield=%s)", type, title, message, buttons,
1388     //        dfltbutton, textfield);
1390     // Ensure no data is on the output queue before presenting the dialog.
1391     gui_macvim_force_flush();
1393     int style = NSInformationalAlertStyle;
1394     if (VIM_WARNING == type) style = NSWarningAlertStyle;
1395     else if (VIM_ERROR == type) style = NSCriticalAlertStyle;
1397     NSMutableDictionary *attr = [NSMutableDictionary
1398                         dictionaryWithObject:[NSNumber numberWithInt:style]
1399                                       forKey:@"alertStyle"];
1401     if (buttons) {
1402         // 'buttons' is a string of '\n'-separated button titles 
1403         NSString *string = [NSString stringWithVimString:buttons];
1404         NSArray *array = [string componentsSeparatedByString:@"\n"];
1405         [attr setObject:array forKey:@"buttonTitles"];
1406     }
1408     NSString *messageText = nil;
1409     if (title)
1410         messageText = [NSString stringWithVimString:title];
1412     if (message) {
1413         NSString *informativeText = [NSString stringWithVimString:message];
1414         if (!messageText) {
1415             // HACK! If there is a '\n\n' or '\n' sequence in the message, then
1416             // make the part up to there into the title.  We only do this
1417             // because Vim has lots of dialogs without a title and they look
1418             // ugly that way.
1419             // TODO: Fix the actual dialog texts.
1420             NSRange eolRange = [informativeText rangeOfString:@"\n\n"];
1421             if (NSNotFound == eolRange.location)
1422                 eolRange = [informativeText rangeOfString:@"\n"];
1423             if (NSNotFound != eolRange.location) {
1424                 messageText = [informativeText substringToIndex:
1425                                                         eolRange.location];
1426                 informativeText = [informativeText substringFromIndex:
1427                                                         NSMaxRange(eolRange)];
1428             }
1429         }
1431         [attr setObject:informativeText forKey:@"informativeText"];
1432     }
1434     if (messageText)
1435         [attr setObject:messageText forKey:@"messageText"];
1437     if (textfield) {
1438         NSString *string = [NSString stringWithVimString:textfield];
1439         [attr setObject:string forKey:@"textFieldString"];
1440     }
1442     return [[MMBackend sharedInstance] showDialogWithAttributes:attr
1443                                                     textField:(char*)textfield];
1447     void
1448 gui_mch_flash(int msec)
1454  * Return the Pixel value (color) for the given color name.  This routine was
1455  * pretty much taken from example code in the Silicon Graphics OSF/Motif
1456  * Programmer's Guide.
1457  * Return INVALCOLOR when failed.
1458  */
1459     guicolor_T
1460 gui_mch_get_color(char_u *name)
1462 #ifdef FEAT_MBYTE
1463     name = CONVERT_TO_UTF8(name);
1464 #endif
1466     NSString *key = [NSString stringWithUTF8String:(char*)name];
1467     guicolor_T col = [[MMBackend sharedInstance] lookupColorWithKey:key];
1469 #ifdef FEAT_MBYTE
1470     CONVERT_TO_UTF8_FREE(name);
1471 #endif
1473     return col;
1478  * Return the RGB value of a pixel as long.
1479  */
1480     long_u
1481 gui_mch_get_rgb(guicolor_T pixel)
1483     // This is only implemented so that vim can guess the correct value for
1484     // 'background' (which otherwise defaults to 'dark'); it is not used for
1485     // anything else (as far as I know).
1486     // The implementation is simple since colors are stored in an int as
1487     // "rrggbb".
1488     return pixel;
1493  * Get the screen dimensions.
1494  * Allow 10 pixels for horizontal borders, 40 for vertical borders.
1495  * Is there no way to find out how wide the borders really are?
1496  * TODO: Add live udate of those value on suspend/resume.
1497  */
1498     void
1499 gui_mch_get_screen_dimensions(int *screen_w, int *screen_h)
1501     //NSLog(@"gui_mch_get_screen_dimensions()");
1502     *screen_w = Columns;
1503     *screen_h = Rows;
1508  * Get the position of the top left corner of the window.
1509  */
1510     int
1511 gui_mch_get_winpos(int *x, int *y)
1513     *x = *y = 0;
1514     return OK;
1519  * Return OK if the key with the termcap name "name" is supported.
1520  */
1521     int
1522 gui_mch_haskey(char_u *name)
1524     BOOL ok = NO;
1526 #ifdef FEAT_MBYTE
1527     name = CONVERT_TO_UTF8(name);
1528 #endif
1530     NSString *value = [NSString stringWithUTF8String:(char*)name];
1531     if (value)
1532         ok =  [[MMBackend sharedInstance] hasSpecialKeyWithValue:value];
1534 #ifdef FEAT_MBYTE
1535     CONVERT_TO_UTF8_FREE(name);
1536 #endif
1538     return ok;
1543  * Iconify the GUI window.
1544  */
1545     void
1546 gui_mch_iconify(void)
1551 #if defined(FEAT_EVAL) || defined(PROTO)
1553  * Bring the Vim window to the foreground.
1554  */
1555     void
1556 gui_mch_set_foreground(void)
1558     [[MMBackend sharedInstance] activate];
1560 #endif
1564     void
1565 gui_mch_set_shellsize(
1566     int         width,
1567     int         height,
1568     int         min_width,
1569     int         min_height,
1570     int         base_width,
1571     int         base_height,
1572     int         direction)
1574     //NSLog(@"gui_mch_set_shellsize(width=%d, height=%d, min_width=%d,"
1575     //        " min_height=%d, base_width=%d, base_height=%d, direction=%d)",
1576     //        width, height, min_width, min_height, base_width, base_height,
1577     //        direction);
1578     [[MMBackend sharedInstance] setRows:height columns:width];
1582     void
1583 gui_mch_set_text_area_pos(int x, int y, int w, int h)
1588  * Set the position of the top left corner of the window to the given
1589  * coordinates.
1590  */
1591     void
1592 gui_mch_set_winpos(int x, int y)
1597 #ifdef FEAT_TITLE
1599  * Set the window title and icon.
1600  * (The icon is not taken care of).
1601  */
1602     void
1603 gui_mch_settitle(char_u *title, char_u *icon)
1605     //NSLog(@"gui_mch_settitle(title=%s, icon=%s)", title, icon);
1607 #ifdef FEAT_MBYTE
1608     title = CONVERT_TO_UTF8(title);
1609 #endif
1611     MMBackend *backend = [MMBackend sharedInstance];
1612     [backend setWindowTitle:(char*)title];
1614     // TODO: Convert filename to UTF-8?
1615     if (curbuf)
1616         [backend setDocumentFilename:(char*)curbuf->b_ffname];
1618 #ifdef FEAT_MBYTE
1619     CONVERT_TO_UTF8_FREE(title);
1620 #endif
1622 #endif
1625     void
1626 gui_mch_toggle_tearoffs(int enable)
1632     void
1633 gui_mch_enter_fullscreen(int fuoptions_flags, guicolor_T bg)
1635     [[MMBackend sharedInstance] enterFullscreen:fuoptions_flags background:bg];
1639     void
1640 gui_mch_leave_fullscreen()
1642     [[MMBackend sharedInstance] leaveFullscreen];
1646     void
1647 gui_mch_fuopt_update()
1649     guicolor_T fg, bg;
1650     if (fuoptions_flags & FUOPT_BGCOLOR_HLGROUP) {
1651         syn_id2colors(fuoptions_bgcolor, &fg, &bg);
1652     } else {
1653         bg = fuoptions_bgcolor;
1654     }
1656     [[MMBackend sharedInstance] setFullscreenBackgroundColor:bg];
1660     void
1661 gui_macvim_update_modified_flag()
1663     [[MMBackend sharedInstance] updateModifiedFlag];
1667  * Add search pattern 'pat' to the OS X find pasteboard.  This allows other
1668  * apps access the last pattern searched for (hitting <D-g> in another app will
1669  * initiate a search for the same pattern).
1670  */
1671     void
1672 gui_macvim_add_to_find_pboard(char_u *pat)
1674     if (!pat) return;
1676 #ifdef FEAT_MBYTE
1677     pat = CONVERT_TO_UTF8(pat);
1678 #endif
1679     NSString *s = [NSString stringWithUTF8String:(char*)pat];
1680 #ifdef FEAT_MBYTE
1681     CONVERT_TO_UTF8_FREE(pat);
1682 #endif
1684     if (!s) return;
1686     NSPasteboard *pb = [NSPasteboard pasteboardWithName:NSFindPboard];
1687     [pb declareTypes:[NSArray arrayWithObject:NSStringPboardType] owner:nil];
1688     [pb setString:s forType:NSStringPboardType];
1691     void
1692 gui_macvim_set_antialias(int antialias)
1694     [[MMBackend sharedInstance] setAntialias:antialias];
1698     void
1699 gui_macvim_wait_for_startup()
1701     MMBackend *backend = [MMBackend sharedInstance];
1702     if ([backend waitForAck])
1703         [backend waitForConnectionAcknowledgement];
1706 void gui_macvim_get_window_layout(int *count, int *layout)
1708     if (!(count && layout)) return;
1710     // NOTE: Only set 'layout' if the backend has requested a != 0 layout, else
1711     // any command line arguments (-p/-o) would be ignored.
1712     int window_layout = [[MMBackend sharedInstance] initialWindowLayout];
1713     if (window_layout > 0 && window_layout < 4) {
1714         // The window_layout numbers must match the WIN_* defines in main.c.
1715         *count = 0;
1716         *layout = window_layout;
1717     }
1721 // -- Client/Server ---------------------------------------------------------
1723 #ifdef MAC_CLIENTSERVER
1726 // NOTE: Client/Server is only fully supported with a GUI.  Theoretically it
1727 // would be possible to make the server code work with terminal Vim, but it
1728 // would require that a run-loop is set up and checked.  This should not be
1729 // difficult to implement, simply call gui_mch_update() at opportune moments
1730 // and it will take care of the run-loop.  Another (bigger) problem with
1731 // supporting servers in terminal mode is that the server listing code talks to
1732 // MacVim (the GUI) to figure out which servers are running.
1737  * Register connection with 'name'.  The actual connection is named something
1738  * like 'org.vim.MacVim.VIM3', whereas the server is called 'VIM3'.
1739  */
1740     void
1741 serverRegisterName(char_u *name)
1743 #ifdef FEAT_MBYTE
1744     name = CONVERT_TO_UTF8(name);
1745 #endif
1747     NSString *svrName = [NSString stringWithUTF8String:(char*)name];
1748     [[MMBackend sharedInstance] registerServerWithName:svrName];
1750 #ifdef FEAT_MBYTE
1751     CONVERT_TO_UTF8_FREE(name);
1752 #endif
1757  * Send to an instance of Vim.
1758  * Returns 0 for OK, negative for an error.
1759  */
1760     int
1761 serverSendToVim(char_u *name, char_u *cmd, char_u **result,
1762         int *port, int asExpr, int silent)
1764 #ifdef FEAT_MBYTE
1765     name = CONVERT_TO_UTF8(name);
1766     cmd = CONVERT_TO_UTF8(cmd);
1767 #endif
1769     BOOL ok = [[MMBackend sharedInstance]
1770             sendToServer:[NSString stringWithUTF8String:(char*)name]
1771                   string:[NSString stringWithUTF8String:(char*)cmd]
1772                    reply:result
1773                     port:port
1774               expression:asExpr
1775                   silent:silent];
1777 #ifdef FEAT_MBYTE
1778     CONVERT_TO_UTF8_FREE(name);
1779     CONVERT_TO_UTF8_FREE(cmd);
1780 #endif
1782     return ok ? 0 : -1;
1787  * Ask MacVim for the names of all Vim servers.
1788  */
1789     char_u *
1790 serverGetVimNames(void)
1792     char_u *names = NULL;
1793     NSArray *list = [[MMBackend sharedInstance] serverList];
1795     if (list) {
1796         NSString *string = [list componentsJoinedByString:@"\n"];
1797         names = [string vimStringSave];
1798     }
1800     return names;
1805  * 'str' is a hex int representing the send port of the connection.
1806  */
1807     int
1808 serverStrToPort(char_u *str)
1810     int port = 0;
1812     sscanf((char *)str, "0x%x", &port);
1813     if (!port)
1814         EMSG2(_("E573: Invalid server id used: %s"), str);
1816     return port;
1821  * Check for replies from server with send port 'port'.
1822  * Return TRUE and a non-malloc'ed string if there is.  Else return FALSE.
1823  */
1824     int
1825 serverPeekReply(int port, char_u **str)
1827     NSString *reply = [[MMBackend sharedInstance] peekForReplyOnPort:port];
1828     int len = [reply lengthOfBytesUsingEncoding:NSUTF8StringEncoding];
1830     if (str && len > 0) {
1831         *str = (char_u*)[reply UTF8String];
1833 #ifdef FEAT_MBYTE
1834         if (input_conv.vc_type != CONV_NONE) {
1835             char_u *s = string_convert(&input_conv, *str, &len);
1837             if (len > 0) {
1838                 // HACK! Since 's' needs to be freed we cannot simply set
1839                 // '*str = s' or memory will leak.  Instead, create a dummy
1840                 // NSData and return its 'bytes' pointer, then autorelease the
1841                 // NSData.
1842                 NSData *data = [NSData dataWithBytes:s length:len+1];
1843                 *str = (char_u*)[data bytes];
1844             }
1846             vim_free(s);
1847         }
1848 #endif
1849     }
1851     return reply != nil;
1856  * Wait for replies from server with send port 'port'.
1857  * Return 0 and the malloc'ed string when a reply is available.
1858  * Return -1 on error.
1859  */
1860     int
1861 serverReadReply(int port, char_u **str)
1863     NSString *reply = [[MMBackend sharedInstance] waitForReplyOnPort:port];
1864     if (reply && str) {
1865         *str = [reply vimStringSave];
1866         return 0;
1867     }
1869     return -1;
1874  * Send a reply string (notification) to client with port given by "serverid".
1875  * Return -1 if the window is invalid.
1876  */
1877     int
1878 serverSendReply(char_u *serverid, char_u *reply)
1880     int retval = -1;
1881     int port = serverStrToPort(serverid);
1882     if (port > 0 && reply) {
1883 #ifdef FEAT_MBYTE
1884         reply = CONVERT_TO_UTF8(reply);
1885 #endif
1886         BOOL ok = [[MMBackend sharedInstance]
1887                 sendReply:[NSString stringWithUTF8String:(char*)reply]
1888                    toPort:port];
1889         retval = ok ? 0 : -1;
1890 #ifdef FEAT_MBYTE
1891         CONVERT_TO_UTF8_FREE(reply);
1892 #endif
1893     }
1895     return retval;
1898 #endif // MAC_CLIENTSERVER
1903 // -- ODB Editor Support ----------------------------------------------------
1905 #ifdef FEAT_ODB_EDITOR
1907  * The ODB Editor protocol works like this:
1908  * - An external program (the server) asks MacVim to open a file and associates
1909  *   three things with this file: (1) a server id (a four character code that
1910  *   identifies the server), (2) a path that can be used as window title for
1911  *   the file (optional), (3) an arbitrary token (optional)
1912  * - When a file is saved or closed, MacVim should tell the server about which
1913  *   file was modified and also pass back the token
1915  * All communication between MacVim and the server goes via Apple Events.
1916  */
1918     static OSErr
1919 odb_event(buf_T *buf, const AEEventID action)
1921     if (!(buf->b_odb_server_id && buf->b_ffname))
1922         return noErr;
1924     NSAppleEventDescriptor *targetDesc = [NSAppleEventDescriptor
1925             descriptorWithDescriptorType:typeApplSignature
1926                                    bytes:&buf->b_odb_server_id
1927                                   length:sizeof(OSType)];
1929     // TODO: Convert b_ffname to UTF-8?
1930     NSString *path = [NSString stringWithUTF8String:(char*)buf->b_ffname];
1931     NSData *pathData = [[[NSURL fileURLWithPath:path] absoluteString]
1932             dataUsingEncoding:NSUTF8StringEncoding];
1933     NSAppleEventDescriptor *pathDesc = [NSAppleEventDescriptor
1934             descriptorWithDescriptorType:typeFileURL data:pathData];
1936     NSAppleEventDescriptor *event = [NSAppleEventDescriptor
1937             appleEventWithEventClass:kODBEditorSuite
1938                              eventID:action
1939                     targetDescriptor:targetDesc
1940                             returnID:kAutoGenerateReturnID
1941                        transactionID:kAnyTransactionID];
1943     [event setParamDescriptor:pathDesc forKeyword:keyDirectObject];
1945     if (buf->b_odb_token)
1946         [event setParamDescriptor:buf->b_odb_token forKeyword:keySenderToken];
1948     return AESendMessage([event aeDesc], NULL, kAENoReply | kAENeverInteract,
1949             kAEDefaultTimeout);
1952     OSErr
1953 odb_buffer_close(buf_T *buf)
1955     OSErr err = noErr;
1956     if (buf) {
1957         err = odb_event(buf, kAEClosedFile);
1959         buf->b_odb_server_id = 0;
1961         if (buf->b_odb_token) {
1962             [(NSAppleEventDescriptor *)(buf->b_odb_token) release];
1963             buf->b_odb_token = NULL;
1964         }
1966         if (buf->b_odb_fname) {
1967             vim_free(buf->b_odb_fname);
1968             buf->b_odb_fname = NULL;
1969         }
1970     }
1972     return err;
1975     OSErr
1976 odb_post_buffer_write(buf_T *buf)
1978     return buf ? odb_event(buf, kAEModifiedFile) : noErr;
1981     void
1982 odb_end(void)
1984     buf_T *buf;
1985     for (buf = firstbuf; buf != NULL; buf = buf->b_next)
1986         odb_buffer_close(buf);
1989 #endif // FEAT_ODB_EDITOR
1992     char_u *
1993 get_macaction_name(expand_T *xp, int idx)
1995     static char_u *str = NULL;
1996     NSDictionary *actionDict = [[MMBackend sharedInstance] actionDict];
1998     if (nil == actionDict || idx < 0 || idx >= [actionDict count])
1999         return NULL;
2001     NSString *string = [[actionDict allKeys] objectAtIndex:idx];
2002     if (!string)
2003         return NULL;
2005     char_u *plainStr = (char_u*)[string UTF8String];
2007 #ifdef FEAT_MBYTE
2008     if (str) {
2009         vim_free(str);
2010         str = NULL;
2011     }
2012     if (input_conv.vc_type != CONV_NONE) {
2013         int len = [string lengthOfBytesUsingEncoding:NSUTF8StringEncoding];
2014         str = string_convert(&input_conv, plainStr, &len);
2015         plainStr = str;
2016     }
2017 #endif
2019     return plainStr;
2023     int
2024 is_valid_macaction(char_u *action)
2026     int isValid = NO;
2027     NSDictionary *actionDict = [[MMBackend sharedInstance] actionDict];
2028     if (actionDict) {
2029 #ifdef FEAT_MBYTE
2030         action = CONVERT_TO_UTF8(action);
2031 #endif
2032         NSString *string = [NSString stringWithUTF8String:(char*)action];
2033         isValid = (nil != [actionDict objectForKey:string]);
2034 #ifdef FEAT_MBYTE
2035         CONVERT_TO_UTF8_FREE(action);
2036 #endif
2037     }
2039     return isValid;
2042 static int specialKeyToNSKey(int key)
2044     if (!IS_SPECIAL(key))
2045         return key;
2047     static struct {
2048         int special;
2049         int nskey;
2050     } sp2ns[] = {
2051         { K_UP, NSUpArrowFunctionKey },
2052         { K_DOWN, NSDownArrowFunctionKey },
2053         { K_LEFT, NSLeftArrowFunctionKey },
2054         { K_RIGHT, NSRightArrowFunctionKey },
2055         { K_F1, NSF1FunctionKey },
2056         { K_F2, NSF2FunctionKey },
2057         { K_F3, NSF3FunctionKey },
2058         { K_F4, NSF4FunctionKey },
2059         { K_F5, NSF5FunctionKey },
2060         { K_F6, NSF6FunctionKey },
2061         { K_F7, NSF7FunctionKey },
2062         { K_F8, NSF8FunctionKey },
2063         { K_F9, NSF9FunctionKey },
2064         { K_F10, NSF10FunctionKey },
2065         { K_F11, NSF11FunctionKey },
2066         { K_F12, NSF12FunctionKey },
2067         { K_F13, NSF13FunctionKey },
2068         { K_F14, NSF14FunctionKey },
2069         { K_F15, NSF15FunctionKey },
2070         { K_F16, NSF16FunctionKey },
2071         { K_F17, NSF17FunctionKey },
2072         { K_F18, NSF18FunctionKey },
2073         { K_F19, NSF19FunctionKey },
2074         { K_F20, NSF20FunctionKey },
2075         { K_F21, NSF21FunctionKey },
2076         { K_F22, NSF22FunctionKey },
2077         { K_F23, NSF23FunctionKey },
2078         { K_F24, NSF24FunctionKey },
2079         { K_F25, NSF25FunctionKey },
2080         { K_F26, NSF26FunctionKey },
2081         { K_F27, NSF27FunctionKey },
2082         { K_F28, NSF28FunctionKey },
2083         { K_F29, NSF29FunctionKey },
2084         { K_F30, NSF30FunctionKey },
2085         { K_F31, NSF31FunctionKey },
2086         { K_F32, NSF32FunctionKey },
2087         { K_F33, NSF33FunctionKey },
2088         { K_F34, NSF34FunctionKey },
2089         { K_F35, NSF35FunctionKey },
2090         { K_DEL, NSBackspaceCharacter },
2091         { K_BS, NSDeleteCharacter },
2092         { K_HOME, NSHomeFunctionKey },
2093         { K_END, NSEndFunctionKey },
2094         { K_PAGEUP, NSPageUpFunctionKey },
2095         { K_PAGEDOWN, NSPageDownFunctionKey }
2096     };
2098     int i;
2099     for (i = 0; i < sizeof(sp2ns)/sizeof(sp2ns[0]); ++i) {
2100         if (sp2ns[i].special == key)
2101             return sp2ns[i].nskey;
2102     }
2104     return 0;
2107 static int vimModMaskToEventModifierFlags(int mods)
2109     int flags = 0;
2111     if (mods & MOD_MASK_SHIFT)
2112         flags |= NSShiftKeyMask;
2113     if (mods & MOD_MASK_CTRL)
2114         flags |= NSControlKeyMask;
2115     if (mods & MOD_MASK_ALT)
2116         flags |= NSAlternateKeyMask;
2117     if (mods & MOD_MASK_CMD)
2118         flags |= NSCommandKeyMask;
2120     return flags;