diff options
Diffstat (limited to 'src')
50 files changed, 1156 insertions, 262 deletions
| diff --git a/src/nvim/api/buffer.c b/src/nvim/api/buffer.c index 915b99486d..11a4647d1c 100644 --- a/src/nvim/api/buffer.c +++ b/src/nvim/api/buffer.c @@ -27,6 +27,7 @@  #include "nvim/map_defs.h"  #include "nvim/map.h"  #include "nvim/mark.h" +#include "nvim/ops.h"  #include "nvim/extmark.h"  #include "nvim/decoration.h"  #include "nvim/fileio.h" @@ -441,6 +442,8 @@ void nvim_buf_set_lines(uint64_t channel_id,      goto end;    } +  bcount_t deleted_bytes = get_region_bytecount(curbuf, start, end, 0, 0); +    // If the size of the range is reducing (ie, new_len < old_len) we    // need to delete some old_len. We do this at the start, by    // repeatedly deleting line "start". @@ -460,6 +463,7 @@ void nvim_buf_set_lines(uint64_t channel_id,    // new old_len. This is a more efficient operation, as it requires    // less memory allocation and freeing.    size_t to_replace = old_len < new_len ? old_len : new_len; +  bcount_t inserted_bytes = 0;    for (size_t i = 0; i < to_replace; i++) {      int64_t lnum = start + (int64_t)i; @@ -472,6 +476,8 @@ void nvim_buf_set_lines(uint64_t channel_id,        api_set_error(err, kErrorTypeException, "Failed to replace line");        goto end;      } + +    inserted_bytes += (bcount_t)strlen(lines[i]) + 1;      // Mark lines that haven't been passed to the buffer as they need      // to be freed later      lines[i] = NULL; @@ -491,6 +497,8 @@ void nvim_buf_set_lines(uint64_t channel_id,        goto end;      } +    inserted_bytes += (bcount_t)strlen(lines[i]) + 1; +      // Same as with replacing, but we also need to free lines      xfree(lines[i]);      lines[i] = NULL; @@ -505,7 +513,11 @@ void nvim_buf_set_lines(uint64_t channel_id,                (linenr_T)(end - 1),                MAXLNUM,                (long)extra, -              kExtmarkUndo); +              kExtmarkNOOP); + +  extmark_splice(curbuf, (int)start-1, 0, (int)(end-start), 0, +                 deleted_bytes, (int)new_len, 0, inserted_bytes, +                 kExtmarkUndo);    changed_lines((linenr_T)start, 0, (linenr_T)end, (long)extra, true);    fix_cursor((linenr_T)start, (linenr_T)end, (linenr_T)extra); diff --git a/src/nvim/api/private/helpers.c b/src/nvim/api/private/helpers.c index 24ba6110c4..0f7008e150 100644 --- a/src/nvim/api/private/helpers.c +++ b/src/nvim/api/private/helpers.c @@ -1909,7 +1909,7 @@ bool parse_float_config(Dictionary config, FloatConfig *fconfig, bool reconf,      } else if (strequal(key, "height")) {        has_height = true;        if (val.type == kObjectTypeInteger && val.data.integer > 0) { -        fconfig->height= (int)val.data.integer; +        fconfig->height = (int)val.data.integer;        } else {          api_set_error(err, kErrorTypeValidation,                        "'height' key must be a positive Integer"); @@ -1983,6 +1983,14 @@ bool parse_float_config(Dictionary config, FloatConfig *fconfig, bool reconf,                        "'focusable' key must be Boolean");          return false;        } +    } else if (strequal(key, "zindex")) { +      if (val.type == kObjectTypeInteger && val.data.integer > 0) { +        fconfig->zindex = (int)val.data.integer; +      } else { +        api_set_error(err, kErrorTypeValidation, +                      "'zindex' key must be a positive Integer"); +        return false; +      }      } else if (!strcmp(key, "border")) {        parse_border_style(val, fconfig, err);        if (ERROR_SET(err)) { diff --git a/src/nvim/api/ui_events.in.h b/src/nvim/api/ui_events.in.h index e934d5dc92..11e21a88ea 100644 --- a/src/nvim/api/ui_events.in.h +++ b/src/nvim/api/ui_events.in.h @@ -106,7 +106,8 @@ void win_pos(Integer grid, Window win, Integer startrow,               Integer startcol, Integer width, Integer height)    FUNC_API_SINCE(6) FUNC_API_REMOTE_ONLY;  void win_float_pos(Integer grid, Window win, String anchor, Integer anchor_grid, -                   Float anchor_row, Float anchor_col, Boolean focusable) +                   Float anchor_row, Float anchor_col, Boolean focusable, +                   Integer zindex)    FUNC_API_SINCE(6) FUNC_API_REMOTE_ONLY;  void win_external_pos(Integer grid, Window win)    FUNC_API_SINCE(6) FUNC_API_REMOTE_ONLY; diff --git a/src/nvim/api/vim.c b/src/nvim/api/vim.c index c363c77afb..e9a0b0df2e 100644 --- a/src/nvim/api/vim.c +++ b/src/nvim/api/vim.c @@ -221,6 +221,12 @@ Dictionary nvim__get_hl_defs(Integer ns_id, Error *err)  ///            in addition the following keys are also recognized:  ///              `default`: don't override existing definition,  ///                         like `hi default` +///              `ctermfg`: sets foreground of cterm color +///              `ctermbg`: sets background of cterm color +///              `cterm`  : cterm attribute map. sets attributed for +///                         cterm colors. similer to `hi cterm` +///                         Note: by default cterm attributes are +///                               same as attributes of gui color  /// @param[out] err Error details, if any  ///  /// TODO: ns_id = 0, should modify :highlight namespace @@ -1411,6 +1417,15 @@ void nvim_chan_send(Integer chan, String data, Error *err)  ///   - `external`: GUI should display the window as an external  ///       top-level window. Currently accepts no other positioning  ///       configuration together with this. +///   - `zindex`: Stacking order. floats with higher `zindex` go on top on +///               floats with lower indices. Must be larger than zero. The +///               following screen elements have hard-coded z-indices: +///       - 100: insert completion popupmenu +///       - 200: message scrollback +///       - 250: cmdline completion popupmenu (when wildoptions+=pum) +///     The default value for floats are 50.  In general, values below 100 are +///     recommended, unless there is a good reason to overshadow builtin +///     elements.  ///   - `style`: Configure the appearance of the window. Currently only takes  ///       one non-empty value:  ///       - "minimal"  Nvim will display the window with many UI options diff --git a/src/nvim/buffer.c b/src/nvim/buffer.c index ce4163fccf..6a50264e0f 100644 --- a/src/nvim/buffer.c +++ b/src/nvim/buffer.c @@ -85,6 +85,9 @@  # include "buffer.c.generated.h"  #endif +// Determines how deeply nested %{} blocks will be evaluated in statusline. +#define MAX_STL_EVAL_DEPTH 100 +  static char *msg_loclist = N_("[Location List]");  static char *msg_qflist = N_("[Quickfix List]");  static char *e_auabort = N_("E855: Autocommands caused command to abort"); @@ -407,7 +410,8 @@ bool buf_valid(buf_T *buf)  ///               there to be only one window with this buffer. e.g. when  ///               ":quit" is supposed to close the window but autocommands  ///               close all other windows. -void close_buffer(win_T *win, buf_T *buf, int action, bool abort_if_last) +/// @returns true when we got to the end and b_nwindows was decremented. +bool close_buffer(win_T *win, buf_T *buf, int action, bool abort_if_last)  {    bool unload_buf = (action != 0);    bool del_buf = (action == DOBUF_DEL || action == DOBUF_WIPE); @@ -444,7 +448,7 @@ void close_buffer(win_T *win, buf_T *buf, int action, bool abort_if_last)    // halfway a command that relies on it). Unloading is allowed.    if (buf->b_locked > 0 && (del_buf || wipe_buf)) {      EMSG(_("E937: Attempt to delete a buffer that is in use")); -    return; +    return false;    }    if (win != NULL  // Avoid bogus clang warning. @@ -471,13 +475,13 @@ void close_buffer(win_T *win, buf_T *buf, int action, bool abort_if_last)                         buf) && !bufref_valid(&bufref)) {        // Autocommands deleted the buffer.        EMSG(_(e_auabort)); -      return; +      return false;      }      buf->b_locked--;      if (abort_if_last && last_nonfloat(win)) {        // Autocommands made this the only window.        EMSG(_(e_auabort)); -      return; +      return false;      }      // When the buffer becomes hidden, but is not unloaded, trigger @@ -488,17 +492,17 @@ void close_buffer(win_T *win, buf_T *buf, int action, bool abort_if_last)                           buf) && !bufref_valid(&bufref)) {          // Autocommands deleted the buffer.          EMSG(_(e_auabort)); -        return; +        return false;        }        buf->b_locked--;        if (abort_if_last && last_nonfloat(win)) {          // Autocommands made this the only window.          EMSG(_(e_auabort)); -        return; +        return false;        }      }      if (aborting()) {       // autocmds may abort script processing -      return; +      return false;      }    } @@ -525,7 +529,7 @@ void close_buffer(win_T *win, buf_T *buf, int action, bool abort_if_last)    /* Return when a window is displaying the buffer or when it's not     * unloaded. */    if (buf->b_nwindows > 0 || !unload_buf) { -    return; +    return false;    }    if (buf->terminal) { @@ -561,11 +565,11 @@ void close_buffer(win_T *win, buf_T *buf, int action, bool abort_if_last)    if (!bufref_valid(&bufref)) {      // Autocommands may have deleted the buffer. -    return; +    return false;    }    if (aborting()) {      // Autocmds may abort script processing. -    return; +    return false;    }    /* @@ -576,7 +580,7 @@ void close_buffer(win_T *win, buf_T *buf, int action, bool abort_if_last)     * deleted buffer.     */    if (buf == curbuf && !is_curbuf) { -    return; +    return false;    }    if (win != NULL  // Avoid bogus clang warning. @@ -636,6 +640,8 @@ void close_buffer(win_T *win, buf_T *buf, int action, bool abort_if_last)        buf->b_p_bl = false;      }    } +  // NOTE: at this point "curbuf" may be invalid! +  return true;  }  /// Make buffer not contain a file. @@ -3569,6 +3575,7 @@ int build_stl_str_hl(    }    int groupdepth = 0; +  int evaldepth  = 0;    int curitem = 0;    bool prevchar_isflag = true; @@ -3906,6 +3913,13 @@ int build_stl_str_hl(        continue;      } +    // Denotes end of expanded %{} block +    if (*fmt_p == '}' && evaldepth > 0) { +        fmt_p++; +        evaldepth--; +        continue; +    } +      // An invalid item was specified.      // Continue processing on the next character of the format string.      if (vim_strchr(STL_ALL, *fmt_p) == NULL) { @@ -3947,18 +3961,30 @@ int build_stl_str_hl(      }      case STL_VIM_EXPR:     // '{'      { +      char_u *block_start = fmt_p - 1; +      int reevaluate = (*fmt_p == '%');        itemisflag = true; +      if (reevaluate) { +        fmt_p++; +      } +        // Attempt to copy the expression to evaluate into        // the output buffer as a null-terminated string.        char_u *t = out_p; -      while (*fmt_p != '}' && *fmt_p != NUL && out_p < out_end_p) +      while ((*fmt_p != '}' || (reevaluate && fmt_p[-1] != '%')) +             && *fmt_p != NUL && out_p < out_end_p) {          *out_p++ = *fmt_p++; +      }        if (*fmt_p != '}') {          // missing '}' or out of space          break;        }        fmt_p++; -      *out_p = 0; +      if (reevaluate) { +        out_p[-1] = 0;  // remove the % at the end of %{% expr %} +      } else { +        *out_p = 0; +      }        // Move our position in the output buffer        // to the beginning of the expression @@ -4004,6 +4030,40 @@ int build_stl_str_hl(            itemisflag = false;          }        } + + +      // If the output of the expression needs to be evaluated +      // replace the %{} block with the result of evaluation +      if (reevaluate && str != NULL && *str != 0 +          && strchr((const char *)str, '%') != NULL +          && evaldepth < MAX_STL_EVAL_DEPTH) { +        size_t parsed_usefmt = (size_t)(block_start - usefmt); +        size_t str_length = strlen((const char *)str); +        size_t fmt_length = strlen((const char *)fmt_p); +        size_t new_fmt_len = parsed_usefmt +          + str_length + fmt_length + 3; +        char_u *new_fmt = (char_u *)xmalloc(new_fmt_len * sizeof(char_u)); +        char_u *new_fmt_p = new_fmt; + +        new_fmt_p = (char_u *)memcpy(new_fmt_p, usefmt, parsed_usefmt) +          + parsed_usefmt; +        new_fmt_p = (char_u *)memcpy(new_fmt_p , str, str_length) +          + str_length; +        new_fmt_p = (char_u *)memcpy(new_fmt_p, "%}", 2) + 2; +        new_fmt_p = (char_u *)memcpy(new_fmt_p , fmt_p, fmt_length) +          + fmt_length; +        *new_fmt_p = 0; +        new_fmt_p = NULL; + +        if (usefmt != fmt) { +          xfree(usefmt); +        } +        XFREE_CLEAR(str); +        usefmt = new_fmt; +        fmt_p = usefmt + parsed_usefmt; +        evaldepth++; +        continue; +      }        break;      } diff --git a/src/nvim/buffer_defs.h b/src/nvim/buffer_defs.h index dd24db910e..0c839ba12a 100644 --- a/src/nvim/buffer_defs.h +++ b/src/nvim/buffer_defs.h @@ -1083,6 +1083,7 @@ typedef struct {    FloatRelative relative;    bool external;    bool focusable; +  int zindex;    WinStyle style;    bool border;    bool shadow; @@ -1096,6 +1097,7 @@ typedef struct {                                            .row = 0, .col = 0, .anchor = 0, \                                            .relative = 0, .external = false, \                                            .focusable = true, \ +                                          .zindex = kZIndexFloatDefault, \                                            .style = kWinStyleUnused })  // Structure to store last cursor position and topline.  Used by check_lnums() diff --git a/src/nvim/channel.c b/src/nvim/channel.c index 22eb31513d..60af11e94b 100644 --- a/src/nvim/channel.c +++ b/src/nvim/channel.c @@ -162,6 +162,7 @@ void channel_init(void)  /// Channel is allocated with refcount 1, which should be decreased  /// when the underlying stream closes.  Channel *channel_alloc(ChannelStreamType type) +  FUNC_ATTR_NONNULL_RET  {    Channel *chan = xcalloc(1, sizeof(*chan));    if (type == kChannelStreamStdio) { diff --git a/src/nvim/edit.c b/src/nvim/edit.c index 56b563cba0..1579f3ff98 100644 --- a/src/nvim/edit.c +++ b/src/nvim/edit.c @@ -3150,9 +3150,7 @@ static void ins_compl_clear(void)    XFREE_CLEAR(compl_orig_text);    compl_enter_selects = false;    // clear v:completed_item -  dict_T *const d = tv_dict_alloc(); -  d->dv_lock = VAR_FIXED; -  set_vim_var_dict(VV_COMPLETED_ITEM, d); +  set_vim_var_dict(VV_COMPLETED_ITEM, tv_dict_alloc_lock(VAR_FIXED));  }  /// Check that Insert completion is active. @@ -4497,9 +4495,7 @@ static void ins_compl_delete(void)    // causes flicker, thus we can't do that.    changed_cline_bef_curs();    // clear v:completed_item -  dict_T *const d = tv_dict_alloc(); -  d->dv_lock = VAR_FIXED; -  set_vim_var_dict(VV_COMPLETED_ITEM, d); +  set_vim_var_dict(VV_COMPLETED_ITEM, tv_dict_alloc_lock(VAR_FIXED));  }  // Insert the new text being completed. @@ -4520,8 +4516,7 @@ static void ins_compl_insert(int in_compl_func)  static dict_T *ins_compl_dict_alloc(compl_T *match)  {    // { word, abbr, menu, kind, info } -  dict_T *dict = tv_dict_alloc(); -  dict->dv_lock = VAR_FIXED; +  dict_T *dict = tv_dict_alloc_lock(VAR_FIXED);    tv_dict_add_str(        dict, S_LEN("word"),        (const char *)EMPTY_IF_NULL(match->cp_str)); diff --git a/src/nvim/eval.c b/src/nvim/eval.c index 079c0dc3c0..04a9abe41a 100644 --- a/src/nvim/eval.c +++ b/src/nvim/eval.c @@ -228,6 +228,7 @@ static struct vimvar {    VV(VV_EVENT,          "event",            VAR_DICT, VV_RO),    VV(VV_ECHOSPACE,      "echospace",        VAR_NUMBER, VV_RO),    VV(VV_ARGV,           "argv",             VAR_LIST, VV_RO), +  VV(VV_COLLATE,        "collate",          VAR_STRING, VV_RO),    VV(VV_EXITING,        "exiting",          VAR_NUMBER, VV_RO),    // Neovim    VV(VV_STDERR,         "stderr",           VAR_NUMBER, VV_RO), @@ -376,11 +377,9 @@ void eval_init(void)    msgpack_types_dict->dv_lock = VAR_FIXED;    set_vim_var_dict(VV_MSGPACK_TYPES, msgpack_types_dict); -  set_vim_var_dict(VV_COMPLETED_ITEM, tv_dict_alloc()); +  set_vim_var_dict(VV_COMPLETED_ITEM, tv_dict_alloc_lock(VAR_FIXED)); -  dict_T *v_event = tv_dict_alloc(); -  v_event->dv_lock = VAR_FIXED; -  set_vim_var_dict(VV_EVENT, v_event); +  set_vim_var_dict(VV_EVENT, tv_dict_alloc_lock(VAR_FIXED));    set_vim_var_list(VV_ERRORS, tv_list_alloc(kListLenUnknown));    set_vim_var_nr(VV_STDERR,   CHAN_STDERR);    set_vim_var_nr(VV_SEARCHFORWARD, 1L); @@ -7616,7 +7615,7 @@ char *save_tv_as_string(typval_T *tv, ptrdiff_t *const len, bool endnl)  /// @param[out]  ret_fnum  Set to fnum for marks.  ///  /// @return Pointer to position or NULL in case of error (e.g. invalid type). -pos_T *var2fpos(const typval_T *const tv, const int dollar_lnum, +pos_T *var2fpos(const typval_T *const tv, const bool dollar_lnum,                  int *const ret_fnum)    FUNC_ATTR_WARN_UNUSED_RESULT FUNC_ATTR_NONNULL_ALL  { diff --git a/src/nvim/eval.h b/src/nvim/eval.h index 8188502987..41120b3c78 100644 --- a/src/nvim/eval.h +++ b/src/nvim/eval.h @@ -157,6 +157,7 @@ typedef enum {      VV_EVENT,      VV_ECHOSPACE,      VV_ARGV, +    VV_COLLATE,      VV_EXITING,      // Neovim      VV_STDERR, diff --git a/src/nvim/eval.lua b/src/nvim/eval.lua index dcf3821e7d..33c6fae5cf 100644 --- a/src/nvim/eval.lua +++ b/src/nvim/eval.lua @@ -217,7 +217,7 @@ return {      len={args=1},      libcall={args=3},      libcallnr={args=3}, -    line={args=1}, +    line={args={1, 2}},      line2byte={args=1},      lispindent={args=1},      list2str={args={1, 2}}, diff --git a/src/nvim/eval/funcs.c b/src/nvim/eval/funcs.c index 865abcc110..072d206ecb 100644 --- a/src/nvim/eval/funcs.c +++ b/src/nvim/eval/funcs.c @@ -2770,10 +2770,9 @@ static void f_get(typval_T *argvars, typval_T *rettv, FunPtr fptr)          }        } else if (strcmp(what, "args") == 0) {          rettv->v_type = VAR_LIST; -        if (tv_list_alloc_ret(rettv, pt->pt_argc) != NULL) { -          for (int i = 0; i < pt->pt_argc; i++) { -            tv_list_append_tv(rettv->vval.v_list, &pt->pt_argv[i]); -          } +        tv_list_alloc_ret(rettv, pt->pt_argc); +        for (int i = 0; i < pt->pt_argc; i++) { +          tv_list_append_tv(rettv->vval.v_list, &pt->pt_argv[i]);          }        } else {          EMSG2(_(e_invarg2), what); @@ -5540,18 +5539,36 @@ static void f_libcallnr(typval_T *argvars, typval_T *rettv, FunPtr fptr)    libcall_common(argvars, rettv, VAR_NUMBER);  } -/* - * "line(string)" function - */ +// "line(string, [winid])" function  static void f_line(typval_T *argvars, typval_T *rettv, FunPtr fptr)  {    linenr_T lnum = 0; -  pos_T       *fp; +  pos_T *fp = NULL;    int fnum; -  fp = var2fpos(&argvars[0], TRUE, &fnum); -  if (fp != NULL) +  if (argvars[1].v_type != VAR_UNKNOWN) { +    tabpage_T *tp; +    win_T *save_curwin; +    tabpage_T *save_curtab; + +    // use window specified in the second argument +    win_T *wp = win_id2wp_tp(&argvars[1], &tp); +    if (wp != NULL && tp != NULL) { +      if (switch_win_noblock(&save_curwin, &save_curtab, wp, tp, true) +          == OK) { +        check_cursor(); +        fp = var2fpos(&argvars[0], true, &fnum); +      } +      restore_win_noblock(save_curwin, save_curtab, true); +    } +  } else { +    // use current window +    fp = var2fpos(&argvars[0], true, &fnum); +  } + +  if (fp != NULL) {      lnum = fp->lnum; +  }    rettv->vval.v_number = lnum;  } @@ -6661,6 +6678,37 @@ static void f_range(typval_T *argvars, typval_T *rettv, FunPtr fptr)    }  } +// Evaluate "expr" for readdir(). +static varnumber_T readdir_checkitem(typval_T *expr, const char *name) +{ +  typval_T save_val; +  typval_T rettv; +  typval_T argv[2]; +  varnumber_T retval = 0; +  bool error = false; + +  prepare_vimvar(VV_VAL, &save_val); +  set_vim_var_string(VV_VAL, name, -1); +  argv[0].v_type = VAR_STRING; +  argv[0].vval.v_string = (char_u *)name; + +  if (eval_expr_typval(expr, argv, 1, &rettv) == FAIL) { +    goto theend; +  } + +  retval = tv_get_number_chk(&rettv, &error); +  if (error) { +    retval = -1; +  } + +  tv_clear(&rettv); + +theend: +  set_vim_var_string(VV_VAL, NULL, 0); +  restore_vimvar(VV_VAL, &save_val); +  return retval; +} +  // "readdir()" function  static void f_readdir(typval_T *argvars, typval_T *rettv, FunPtr fptr)  { @@ -6672,14 +6720,43 @@ static void f_readdir(typval_T *argvars, typval_T *rettv, FunPtr fptr)    tv_list_alloc_ret(rettv, kListLenUnknown);    path = tv_get_string(&argvars[0]);    expr = &argvars[1]; +  ga_init(&ga, (int)sizeof(char *), 20);    if (!os_scandir(&dir, path)) {      smsg(_(e_notopen), path);    } else { -    readdir_core(&ga, &dir, expr, true); +    for (;;) { +      bool ignore; + +      path = os_scandir_next(&dir); +      if (path == NULL) { +        break; +      } + +      ignore = (path[0] == '.' +                && (path[1] == NUL || (path[1] == '.' && path[2] == NUL))); +      if (!ignore && expr->v_type != VAR_UNKNOWN) { +        varnumber_T r = readdir_checkitem(expr, path); + +        if (r < 0) { +          break; +        } +        if (r == 0) { +          ignore = true; +        } +      } + +      if (!ignore) { +        ga_grow(&ga, 1); +        ((char **)ga.ga_data)[ga.ga_len++] = xstrdup(path); +      } +    } + +    os_closedir(&dir);    }    if (rettv->vval.v_list != NULL && ga.ga_len > 0) { +    sort_strings((char_u **)ga.ga_data, ga.ga_len);      for (int i = 0; i < ga.ga_len; i++) {        path = ((const char **)ga.ga_data)[i];        tv_list_append_string(rettv->vval.v_list, path, -1); @@ -9154,6 +9231,7 @@ static void f_sockconnect(typval_T *argvars, typval_T *rettv, FunPtr fptr)  /// struct storing information about current sort  typedef struct {    int item_compare_ic; +  bool item_compare_lc;    bool item_compare_numeric;    bool item_compare_numbers;    bool item_compare_float; @@ -9228,10 +9306,10 @@ static int item_compare(const void *s1, const void *s2, bool keep_zero)      p2 = "";    }    if (!sortinfo->item_compare_numeric) { -    if (sortinfo->item_compare_ic) { -      res = STRICMP(p1, p2); +    if (sortinfo->item_compare_lc) { +      res = strcoll(p1, p2);      } else { -      res = STRCMP(p1, p2); +      res = sortinfo->item_compare_ic ? STRICMP(p1, p2): STRCMP(p1, p2);      }    } else {      double n1, n2; @@ -9366,6 +9444,7 @@ static void do_sort_uniq(typval_T *argvars, typval_T *rettv, bool sort)      }      info.item_compare_ic = false; +    info.item_compare_lc = false;      info.item_compare_numeric = false;      info.item_compare_numbers = false;      info.item_compare_float = false; @@ -9410,6 +9489,9 @@ static void do_sort_uniq(typval_T *argvars, typval_T *rettv, bool sort)            } else if (strcmp(info.item_compare_func, "i") == 0) {              info.item_compare_func = NULL;              info.item_compare_ic = true; +          } else if (strcmp(info.item_compare_func, "l") == 0) { +            info.item_compare_func = NULL; +            info.item_compare_lc = true;            }          }        } diff --git a/src/nvim/eval/typval.c b/src/nvim/eval/typval.c index 71e4edc667..61de83fc21 100644 --- a/src/nvim/eval/typval.c +++ b/src/nvim/eval/typval.c @@ -2098,7 +2098,7 @@ void tv_dict_set_keys_readonly(dict_T *const dict)  ///  /// @return [allocated] pointer to the created list.  list_T *tv_list_alloc_ret(typval_T *const ret_tv, const ptrdiff_t len) -  FUNC_ATTR_NONNULL_ALL +  FUNC_ATTR_NONNULL_ALL FUNC_ATTR_NONNULL_RET  {    list_T *const l = tv_list_alloc(len);    tv_list_set_ret(ret_tv, l); @@ -2106,6 +2106,14 @@ list_T *tv_list_alloc_ret(typval_T *const ret_tv, const ptrdiff_t len)    return l;  } +dict_T *tv_dict_alloc_lock(VarLockStatus lock) +  FUNC_ATTR_NONNULL_RET +{ +  dict_T *const d = tv_dict_alloc(); +  d->dv_lock = lock; +  return d; +} +  /// Allocate an empty dictionary for a return value  ///  /// Also sets reference count. @@ -2114,9 +2122,8 @@ list_T *tv_list_alloc_ret(typval_T *const ret_tv, const ptrdiff_t len)  void tv_dict_alloc_ret(typval_T *const ret_tv)    FUNC_ATTR_NONNULL_ALL  { -  dict_T *const d = tv_dict_alloc(); +  dict_T *const d = tv_dict_alloc_lock(VAR_UNLOCKED);    tv_dict_set_ret(ret_tv, d); -  ret_tv->v_lock = VAR_UNLOCKED;  }  //{{{3 Clear diff --git a/src/nvim/ex_cmds.c b/src/nvim/ex_cmds.c index 3e330b88a2..6a0a08eee8 100644 --- a/src/nvim/ex_cmds.c +++ b/src/nvim/ex_cmds.c @@ -358,6 +358,7 @@ static int linelen(int *has_tab)  static char_u   *sortbuf1;  static char_u   *sortbuf2; +static int sort_lc;       ///< sort using locale  static int sort_ic;       ///< ignore case  static int sort_nr;       ///< sort on number  static int sort_rx;       ///< sort on regex instead of skipping it @@ -381,6 +382,13 @@ typedef struct {    } st_u;  } sorti_T; +static int string_compare(const void *s1, const void *s2) FUNC_ATTR_NONNULL_ALL +{ +  if (sort_lc) { +    return strcoll((char *)s1, (char *)s2); +  } +  return sort_ic ? STRICMP(s1, s2) : STRCMP(s1, s2); +}  static int sort_compare(const void *s1, const void *s2)  { @@ -424,8 +432,7 @@ static int sort_compare(const void *s1, const void *s2)             l2.st_u.line.end_col_nr - l2.st_u.line.start_col_nr + 1);      sortbuf2[l2.st_u.line.end_col_nr - l2.st_u.line.start_col_nr] = NUL; -    result = sort_ic ? STRICMP(sortbuf1, sortbuf2) -             : STRCMP(sortbuf1, sortbuf2); +    result = string_compare(sortbuf1, sortbuf2);    }    /* If two lines have the same value, preserve the original line order. */ @@ -466,7 +473,7 @@ void ex_sort(exarg_T *eap)    regmatch.regprog = NULL;    sorti_T *nrs = xmalloc(count * sizeof(sorti_T)); -  sort_abort = sort_ic = sort_rx = sort_nr = sort_flt = 0; +  sort_abort = sort_ic = sort_lc = sort_rx = sort_nr = sort_flt = 0;    size_t format_found = 0;    bool change_occurred = false;   // Buffer contents changed. @@ -474,6 +481,8 @@ void ex_sort(exarg_T *eap)      if (ascii_iswhite(*p)) {      } else if (*p == 'i') {        sort_ic = true; +    } else if (*p == 'l') { +      sort_lc = true;      } else if (*p == 'r') {        sort_rx = true;      } else if (*p == 'n') { @@ -645,8 +654,7 @@ void ex_sort(exarg_T *eap)      s = ml_get(get_lnum);      size_t bytelen = STRLEN(s) + 1;  // include EOL in bytelen      old_count += bytelen; -    if (!unique || i == 0 -        || (sort_ic ? STRICMP(s, sortbuf1) : STRCMP(s, sortbuf1)) != 0) { +    if (!unique || i == 0 || string_compare(s, sortbuf1) != 0) {        // Copy the line into a buffer, it may become invalid in        // ml_append(). And it's needed for "unique".        STRCPY(sortbuf1, s); @@ -2426,21 +2434,25 @@ int do_ecmd(       * is returned by buflist_new(), nothing to do here.       */      if (buf != curbuf) { -      /* -       * Be careful: The autocommands may delete any buffer and change -       * the current buffer. -       * - If the buffer we are going to edit is deleted, give up. -       * - If the current buffer is deleted, prefer to load the new -       *   buffer when loading a buffer is required.  This avoids -       *   loading another buffer which then must be closed again. -       * - If we ended up in the new buffer already, need to skip a few -       *	 things, set auto_buf. -       */ +      const int save_cmdwin_type = cmdwin_type; + +      // BufLeave applies to the old buffer. +      cmdwin_type = 0; + +      // Be careful: The autocommands may delete any buffer and change +      // the current buffer. +      // - If the buffer we are going to edit is deleted, give up. +      // - If the current buffer is deleted, prefer to load the new +      //   buffer when loading a buffer is required.  This avoids +      //   loading another buffer which then must be closed again. +      // - If we ended up in the new buffer already, need to skip a few +      //         things, set auto_buf.        if (buf->b_fname != NULL) {          new_name = vim_strsave(buf->b_fname);        }        set_bufref(&au_new_curbuf, buf);        apply_autocmds(EVENT_BUFLEAVE, NULL, NULL, false, curbuf); +      cmdwin_type = save_cmdwin_type;        if (!bufref_valid(&au_new_curbuf)) {          // New buffer has been deleted.          delbuf_msg(new_name);  // Frees new_name. @@ -2454,6 +2466,7 @@ int do_ecmd(          auto_buf = true;        } else {          win_T *the_curwin = curwin; +        buf_T *was_curbuf = curbuf;          // Set w_closing to avoid that autocommands close the window.          // Set b_locked for the same reason. @@ -2467,9 +2480,10 @@ int do_ecmd(          // Close the link to the current buffer. This will set          // oldwin->w_buffer to NULL.          u_sync(false); -        close_buffer(oldwin, curbuf, -                     (flags & ECMD_HIDE) || curbuf->terminal ? 0 : DOBUF_UNLOAD, -                     false); +        const bool did_decrement = close_buffer( +            oldwin, curbuf, +            (flags & ECMD_HIDE) || curbuf->terminal ? 0 : DOBUF_UNLOAD, +            false);          // Autocommands may have closed the window.          if (win_valid(the_curwin)) { @@ -2489,6 +2503,14 @@ int do_ecmd(            goto theend;          }          if (buf == curbuf) {  // already in new buffer +          // close_buffer() has decremented the window count, +          // increment it again here and restore w_buffer. +          if (did_decrement && buf_valid(was_curbuf)) { +            was_curbuf->b_nwindows++; +          } +          if (win_valid_any_tab(oldwin) && oldwin->w_buffer == NULL) { +            oldwin->w_buffer = was_curbuf; +          }            auto_buf = true;          } else {            // <VN> We could instead free the synblock diff --git a/src/nvim/ex_cmds2.c b/src/nvim/ex_cmds2.c index 7f28c001f9..0a2802397d 100644 --- a/src/nvim/ex_cmds2.c +++ b/src/nvim/ex_cmds2.c @@ -3621,6 +3621,14 @@ void set_lang_var(void)    loc = get_locale_val(LC_TIME);  # endif    set_vim_var_string(VV_LC_TIME, loc, -1); + +# ifdef HAVE_GET_LOCALE_VAL +  loc = get_locale_val(LC_COLLATE); +# else +  // setlocale() not supported: use the default value +  loc = "C"; +# endif +  set_vim_var_string(VV_COLLATE, loc, -1);  }  #ifdef HAVE_WORKING_LIBINTL @@ -3661,6 +3669,10 @@ void ex_language(exarg_T *eap)        what = LC_TIME;        name = skipwhite(p);        whatstr = "time "; +    } else if (STRNICMP(eap->arg, "collate", p - eap->arg) == 0) { +      what = LC_COLLATE; +      name = skipwhite(p); +      whatstr = "collate ";      }    } @@ -3705,7 +3717,7 @@ void ex_language(exarg_T *eap)        // Reset $LC_ALL, otherwise it would overrule everything.        os_setenv("LC_ALL", "", 1); -      if (what != LC_TIME) { +      if (what != LC_TIME && what != LC_COLLATE) {          // Tell gettext() what to translate to.  It apparently doesn't          // use the currently effective locale.          if (what == LC_ALL) { @@ -3720,7 +3732,7 @@ void ex_language(exarg_T *eap)          }        } -      // Set v:lang, v:lc_time and v:ctype to the final result. +      // Set v:lang, v:lc_time, v:collate and v:ctype to the final result.        set_lang_var();        maketitle();      } @@ -3805,12 +3817,15 @@ char_u *get_lang_arg(expand_T *xp, int idx)    if (idx == 2) {      return (char_u *)"time";    } +  if (idx == 3) { +    return (char_u *)"collate"; +  }    init_locales();    if (locales == NULL) {      return NULL;    } -  return locales[idx - 3]; +  return locales[idx - 4];  }  /// Function given to ExpandGeneric() to obtain the available locales. diff --git a/src/nvim/ex_docmd.c b/src/nvim/ex_docmd.c index ae5c334592..c557bb2438 100644 --- a/src/nvim/ex_docmd.c +++ b/src/nvim/ex_docmd.c @@ -212,7 +212,7 @@ void do_exmode(int improved)    while (exmode_active) {      /* Check for a ":normal" command and no more characters left. */      if (ex_normal_busy > 0 && typebuf.tb_len == 0) { -      exmode_active = FALSE; +      exmode_active = 0;        break;      }      msg_scroll = true; @@ -3642,7 +3642,8 @@ const char * set_one_cmd_context(      } else {        if (strncmp(arg, "messages", p - arg) == 0            || strncmp(arg, "ctype", p - arg) == 0 -          || strncmp(arg, "time", p - arg) == 0) { +          || strncmp(arg, "time", p - arg) == 0 +          || strncmp(arg, "collate", p - arg) == 0) {          xp->xp_context = EXPAND_LOCALES;          xp->xp_pattern = skipwhite((const char_u *)p);        } else { @@ -6519,6 +6520,12 @@ ex_win_close(    int need_hide;    buf_T       *buf = win->w_buffer; +  // Never close the autocommand window. +  if (win == aucmd_win) { +    EMSG(_(e_autocmd_close)); +    return; +  } +    need_hide = (bufIsChanged(buf) && buf->b_nwindows <= 1);    if (need_hide && !buf_hide(buf) && !forceit) {      if ((p_confirm || cmdmod.confirm) && p_write) { @@ -6588,9 +6595,6 @@ static void ex_tabonly(exarg_T *eap)        // Repeat this up to a 1000 times, because autocommands may        // mess up the lists.        for (int done = 0; done < 1000; done++) { -        FOR_ALL_TAB_WINDOWS(tp, wp) { -          assert(wp != aucmd_win); -        }          FOR_ALL_TABS(tp) {            if (tp->tp_topframe != topframe) {              tabpage_close_other(tp, eap->forceit); @@ -7303,7 +7307,8 @@ do_exedit(     */    if (exmode_active && (eap->cmdidx == CMD_visual                          || eap->cmdidx == CMD_view)) { -    exmode_active = FALSE; +    exmode_active = 0; +    ex_pressedreturn = false;      if (*eap->arg == NUL) {        /* Special case:  ":global/pat/visual\NLvi-commands" */        if (global_busy) { diff --git a/src/nvim/ex_getln.c b/src/nvim/ex_getln.c index 53571ec8da..75ed5dc0e5 100644 --- a/src/nvim/ex_getln.c +++ b/src/nvim/ex_getln.c @@ -3571,6 +3571,7 @@ static void save_cmdline(struct cmdline_info *ccp)   * Restore ccline after it has been saved with save_cmdline().   */  static void restore_cmdline(struct cmdline_info *ccp) +  FUNC_ATTR_NONNULL_ALL  {    ccline = *ccp;  } @@ -3580,6 +3581,7 @@ static void restore_cmdline(struct cmdline_info *ccp)   * passed to restore_cmdline_alloc() later.   */  char_u *save_cmdline_alloc(void) +  FUNC_ATTR_NONNULL_RET  {    struct cmdline_info *p = xmalloc(sizeof(struct cmdline_info));    save_cmdline(p); @@ -3590,6 +3592,7 @@ char_u *save_cmdline_alloc(void)   * Restore the command line from the return value of save_cmdline_alloc().   */  void restore_cmdline_alloc(char_u *p) +  FUNC_ATTR_NONNULL_ALL  {    restore_cmdline((struct cmdline_info *)p);    xfree(p); @@ -6635,11 +6638,13 @@ static int open_cmdwin(void)      wp = curwin;      set_bufref(&bufref, curbuf);      win_goto(old_curwin); -    win_close(wp, true); +    if (win_valid(wp) && wp != curwin) { +      win_close(wp, true); +    }      // win_close() may have already wiped the buffer when 'bh' is -    // set to 'wipe'. -    if (bufref_valid(&bufref)) { +    // set to 'wipe', autocommands may have closed other windows +    if (bufref_valid(&bufref) && bufref.br_buf != curbuf) {        close_buffer(NULL, bufref.br_buf, DOBUF_WIPE, false);      } diff --git a/src/nvim/fileio.c b/src/nvim/fileio.c index 2037ba5f19..29c29a2884 100644 --- a/src/nvim/fileio.c +++ b/src/nvim/fileio.c @@ -5204,113 +5204,38 @@ static void vim_maketempdir(void)    (void)umask(umask_save);  } -// Evaluate "expr" for readdir(). -static varnumber_T readdir_checkitem(typval_T *expr, const char *name) -{ -  typval_T save_val; -  typval_T rettv; -  typval_T argv[2]; -  varnumber_T retval = 0; -  bool error = false; - -  prepare_vimvar(VV_VAL, &save_val); -  set_vim_var_string(VV_VAL, name, -1); -  argv[0].v_type = VAR_STRING; -  argv[0].vval.v_string = (char_u *)name; - -  if (eval_expr_typval(expr, argv, 1, &rettv) == FAIL) { -    goto theend; -  } - -  retval = tv_get_number_chk(&rettv, &error); -  if (error) { -    retval = -1; -  } - -  tv_clear(&rettv); - -theend: -  set_vim_var_string(VV_VAL, NULL, 0); -  restore_vimvar(VV_VAL, &save_val); -  return retval; -} - -/// Core part of "readdir()" function. -/// Retrieve the list of files/directories of "dirp" into "gap". -void readdir_core( -    garray_T *gap, -    Directory *dirp, -    typval_T *expr, -    bool is_checkitem) -{ -  ga_init(gap, (int)sizeof(char *), 20); - -  for (;;) { -    bool ignore; - -    const char *path = os_scandir_next(dirp); -    if (path == NULL) { -      break; -    } - -    ignore = (path[0] == '.' -              && (path[1] == NUL || (path[1] == '.' && path[2] == NUL))); -    if (!ignore && expr != NULL && expr->v_type != VAR_UNKNOWN -        && is_checkitem) { -      varnumber_T r = readdir_checkitem(expr, path); - -      if (r < 0) { -        break; -      } -      if (r == 0) { -        ignore = true; -      } -    } - -    if (!ignore) { -      ga_grow(gap, 1); -      ((char **)gap->ga_data)[gap->ga_len++] = xstrdup(path); -    } -  } - -  if (gap->ga_len > 0) { -    sort_strings((char_u **)gap->ga_data, gap->ga_len); -  } - -  os_closedir(dirp); -} -  /// Delete "name" and everything in it, recursively.  /// @param name The path which should be deleted.  /// @return 0 for success, -1 if some file was not deleted.  int delete_recursive(const char *name)  {    int result = 0; -  char *exp = (char *)vim_strsave((char_u *)name); -  Directory dir; - -  if (os_isrealdir(name) && os_scandir(&dir, exp)) { -    garray_T ga; - -    readdir_core(&ga, &dir, NULL, false); -    for (int i = 0; i < ga.ga_len; i++) { -      vim_snprintf((char *)NameBuff, MAXPATHL, "%s/%s", exp, -                   ((char_u **)ga.ga_data)[i]); -      if (delete_recursive((const char *)NameBuff) != 0) { -        result = -1; +  if (os_isrealdir(name)) { +    snprintf((char *)NameBuff, MAXPATHL, "%s/*", name);  // NOLINT + +    char_u **files; +    int file_count; +    char_u *exp = vim_strsave(NameBuff); +    if (gen_expand_wildcards(1, &exp, &file_count, &files, +                             EW_DIR | EW_FILE | EW_SILENT | EW_ALLLINKS +                             | EW_DODOT | EW_EMPTYOK) == OK) { +      for (int i = 0; i < file_count; i++) { +        if (delete_recursive((const char *)files[i]) != 0) { +          result = -1; +        }        } +      FreeWild(file_count, files); +    } else { +      result = -1;      } -    ga_clear_strings(&ga); - +    xfree(exp);      os_rmdir(name);    } else {      result = os_remove(name) == 0 ? 0 : -1;    } -  xfree(exp); -    return result;  } diff --git a/src/nvim/globals.h b/src/nvim/globals.h index 624b7c93f3..0ce2b586e3 100644 --- a/src/nvim/globals.h +++ b/src/nvim/globals.h @@ -987,6 +987,8 @@ EXTERN char_u e_dirnotf[] INIT(= N_(      "E919: Directory not found in '%s': \"%s\""));  EXTERN char_u e_au_recursive[] INIT(= N_(      "E952: Autocommand caused recursive behavior")); +EXTERN char_u e_autocmd_close[] INIT(= N_( +    "E813: Cannot close autocmd window"));  EXTERN char_u e_unsupportedoption[] INIT(= N_("E519: Option not supported"));  EXTERN char_u e_fnametoolong[] INIT(= N_("E856: Filename too long"));  EXTERN char_u e_float_as_string[] INIT(= N_("E806: using Float as a String")); diff --git a/src/nvim/grid_defs.h b/src/nvim/grid_defs.h index 3b34af46e4..724363674c 100644 --- a/src/nvim/grid_defs.h +++ b/src/nvim/grid_defs.h @@ -13,6 +13,15 @@  typedef char_u schar_T[(MAX_MCO+1) * 4 + 1];  typedef int sattr_T; +enum { +  kZIndexDefaultGrid = 0, +  kZIndexFloatDefault = 50, +  kZIndexPopupMenu = 100, +  kZIndexMessages = 200, +  kZIndexCmdlinePopupMenu = 250, +}; + +  /// ScreenGrid represents a resizable rectuangular grid displayed by UI clients.  ///  /// chars[] contains the UTF-8 text that is currently displayed on the grid. @@ -73,6 +82,9 @@ struct ScreenGrid {    // whether the grid can be focused with mouse clicks.    bool focusable; +  // z-index: the order in the stack of grids. +  int zindex; +    // Below is state owned by the compositor. Should generally not be set/read    // outside this module, except for specific compatibilty hacks @@ -96,7 +108,7 @@ struct ScreenGrid {  };  #define SCREEN_GRID_INIT { 0, NULL, NULL, NULL, NULL, NULL, 0, 0, false, \ -                           false, 0, 0, NULL, false, true, \ +                           false, 0, 0, NULL, false, true, 0, \                             0, 0, 0, 0, 0,  false }  #endif  // NVIM_GRID_DEFS_H diff --git a/src/nvim/highlight.c b/src/nvim/highlight.c index 79801262cb..79e474fa2e 100644 --- a/src/nvim/highlight.c +++ b/src/nvim/highlight.c @@ -806,8 +806,11 @@ HlAttrs dict2hlattrs(Dictionary dict, bool use_rgb, int *link_id, Error *err)  {    HlAttrs hlattrs = HLATTRS_INIT; -  int32_t fg = -1, bg = -1, sp = -1; +  int32_t fg = -1, bg = -1, ctermfg = -1, ctermbg = -1, sp = -1;    int16_t mask = 0; +  int16_t cterm_mask = 0; +  bool cterm_mask_provided = false; +    for (size_t i = 0; i < dict.size; i++) {      char *key = dict.items[i].key.data;      Object val = dict.items[i].value; @@ -837,6 +840,25 @@ HlAttrs dict2hlattrs(Dictionary dict, bool use_rgb, int *link_id, Error *err)        }      } +    // Handle cterm attrs +    if (strequal(key, "cterm") && val.type == kObjectTypeDictionary) { +      cterm_mask_provided = true; +      Dictionary cterm_dict = val.data.dictionary; +      for (size_t l = 0; l < cterm_dict.size; l++) { +        char *cterm_dict_key = cterm_dict.items[l].key.data; +        Object cterm_dict_val = cterm_dict.items[l].value; +        for (int m = 0; flags[m].name; m++) { +          if (strequal(flags[m].name, cterm_dict_key)) { +            if (api_object_to_bool(cterm_dict_val, cterm_dict_key, false, +                                   err)) { +              cterm_mask |= flags[m].flag; +            } +          break; +          } +        } +      } +    } +      struct {        const char *name;        const char *shortname; @@ -844,6 +866,8 @@ HlAttrs dict2hlattrs(Dictionary dict, bool use_rgb, int *link_id, Error *err)      } colors[] = {        { "foreground", "fg", &fg },        { "background", "bg", &bg }, +      { "ctermfg", NULL, &ctermfg }, +      { "ctermbg", NULL, &ctermbg },        { "special", "sp", &sp },        { NULL, NULL, NULL },      }; @@ -867,7 +891,6 @@ HlAttrs dict2hlattrs(Dictionary dict, bool use_rgb, int *link_id, Error *err)        }      } -      if (flags[j].name || colors[k].name) {        // handled above      } else if (link_id && strequal(key, "link")) { @@ -888,13 +911,22 @@ HlAttrs dict2hlattrs(Dictionary dict, bool use_rgb, int *link_id, Error *err)      }    } +  // apply gui mask as default for cterm mask +  if (!cterm_mask_provided) { +    cterm_mask = mask; +  }    if (use_rgb) {      hlattrs.rgb_ae_attr = mask;      hlattrs.rgb_bg_color = bg;      hlattrs.rgb_fg_color = fg;      hlattrs.rgb_sp_color = sp; +    hlattrs.cterm_bg_color = +        ctermbg == -1 ? cterm_normal_bg_color : ctermbg + 1; +    hlattrs.cterm_fg_color = +        ctermfg == -1 ? cterm_normal_fg_color : ctermfg + 1; +    hlattrs.cterm_ae_attr = cterm_mask;    } else { -    hlattrs.cterm_ae_attr = mask; +    hlattrs.cterm_ae_attr = cterm_mask;      hlattrs.cterm_bg_color = bg == -1 ? cterm_normal_bg_color : bg + 1;      hlattrs.cterm_fg_color = fg == -1 ? cterm_normal_fg_color : fg + 1;    } diff --git a/src/nvim/lua/vim.lua b/src/nvim/lua/vim.lua index 3994c5bc5b..a678432dda 100644 --- a/src/nvim/lua/vim.lua +++ b/src/nvim/lua/vim.lua @@ -522,6 +522,8 @@ function vim.notify(msg, log_level, _opts)    if log_level == vim.log.levels.ERROR then      vim.api.nvim_err_writeln(msg) +  elseif log_level == vim.log.levels.WARN then +    vim.api.nvim_echo({{msg, 'WarningMsg'}}, true, {})    else      vim.api.nvim_echo({{msg}}, true, {})    end diff --git a/src/nvim/message.c b/src/nvim/message.c index a34b895033..ec5dabbbc0 100644 --- a/src/nvim/message.c +++ b/src/nvim/message.c @@ -165,6 +165,7 @@ void msg_grid_validate(void)      // TODO(bfredl): eventually should be set to "invalid". I e all callers      // will use the grid including clear to EOS if necessary.      grid_alloc(&msg_grid, Rows, Columns, false, true); +    msg_grid.zindex = kZIndexMessages;      xfree(msg_grid.dirty_col);      msg_grid.dirty_col = xcalloc(Rows, sizeof(*msg_grid.dirty_col)); diff --git a/src/nvim/ops.c b/src/nvim/ops.c index 10b8ebdc22..0ed116c17f 100644 --- a/src/nvim/ops.c +++ b/src/nvim/ops.c @@ -1676,17 +1676,14 @@ int op_delete(oparg_T *oap)        curbuf_splice_pending++;        pos_T startpos = curwin->w_cursor;  // start position for delete -      bcount_t deleted_bytes = (bcount_t)STRLEN( -          ml_get(startpos.lnum)) + 1 - startpos.col; +      bcount_t deleted_bytes = get_region_bytecount( +          curbuf, startpos.lnum, oap->end.lnum, startpos.col, +          oap->end.col) + oap->inclusive;        truncate_line(true);        // delete from cursor to end of line        curpos = curwin->w_cursor;  // remember curwin->w_cursor        curwin->w_cursor.lnum++; -      for (linenr_T i = 1; i <= oap->line_count - 2; i++) { -        deleted_bytes += (bcount_t)STRLEN( -            ml_get(startpos.lnum + i)) + 1; -      }        del_lines(oap->line_count - 2, false);        // delete from start of line until op_end @@ -1694,7 +1691,6 @@ int op_delete(oparg_T *oap)        curwin->w_cursor.col = 0;        (void)del_bytes((colnr_T)n, !virtual_op,                        oap->op_type == OP_DELETE && !oap->is_VIsual); -      deleted_bytes += n;        curwin->w_cursor = curpos;  // restore curwin->w_cursor        (void)do_join(2, false, false, false, false);        curbuf_splice_pending--; @@ -6303,3 +6299,33 @@ bool op_reg_set_previous(const char name)    y_previous = &y_regs[i];    return true;  } + +/// Get the byte count of buffer region. End-exclusive. +/// +/// @return number of bytes +bcount_t get_region_bytecount(buf_T *buf, linenr_T start_lnum, +                              linenr_T end_lnum, colnr_T start_col, +                              colnr_T end_col) +{ +  linenr_T max_lnum = buf->b_ml.ml_line_count; +  if (start_lnum > max_lnum) { +    return 0; +  } +  if (start_lnum == end_lnum) { +    return end_col - start_col; +  } +  const char *first = (const char *)ml_get_buf(buf, start_lnum, false); +  bcount_t deleted_bytes = (bcount_t)STRLEN(first) - start_col + 1; + +  for (linenr_T i = 1; i <= end_lnum-start_lnum-1; i++) { +    if (start_lnum + i > max_lnum) { +      return deleted_bytes; +    } +    deleted_bytes += (bcount_t)STRLEN( +        ml_get_buf(buf, start_lnum + i, false)) + 1; +  } +  if (end_lnum > max_lnum) { +    return deleted_bytes; +  } +  return deleted_bytes + end_col; +} diff --git a/src/nvim/ops.h b/src/nvim/ops.h index a8867e02ea..77d6b4435f 100644 --- a/src/nvim/ops.h +++ b/src/nvim/ops.h @@ -6,6 +6,7 @@  #include "nvim/macros.h"  #include "nvim/ascii.h"  #include "nvim/types.h" +#include "nvim/extmark.h"  #include "nvim/eval/typval.h"  #include "nvim/os/time.h"  #include "nvim/normal.h" // for MotionType and oparg_T diff --git a/src/nvim/option.c b/src/nvim/option.c index 6f28f37d2b..ad481af7fa 100644 --- a/src/nvim/option.c +++ b/src/nvim/option.c @@ -3641,9 +3641,11 @@ char_u *check_stl_option(char_u *s)        return illegal_char(errbuf, sizeof(errbuf), *s);      }      if (*s == '{') { +      int reevaluate = (*s == '%');        s++; -      while (*s != '}' && *s) +      while ((*s != '}' || (reevaluate && s[-1] != '%')) && *s) {          s++; +      }        if (*s != '}') {          return (char_u *)N_("E540: Unclosed expression sequence");        } diff --git a/src/nvim/popupmnu.c b/src/nvim/popupmnu.c index 32c9750628..7d452d6797 100644 --- a/src/nvim/popupmnu.c +++ b/src/nvim/popupmnu.c @@ -421,6 +421,10 @@ void pum_redraw(void)    }    grid_assign_handle(&pum_grid); + +  pum_grid.zindex = ((State == CMDLINE) +                     ? kZIndexCmdlinePopupMenu : kZIndexPopupMenu); +    bool moved = ui_comp_put_grid(&pum_grid, pum_row, pum_col-col_off,                                  pum_height, grid_width, false, true);    bool invalid_grid = moved || pum_invalid; @@ -439,7 +443,7 @@ void pum_redraw(void)      int row_off = pum_above ? pum_height : 0;      ui_call_win_float_pos(pum_grid.handle, -1, cstr_to_string(anchor),                            pum_anchor_grid, pum_row-row_off, pum_col-col_off, -                          false); +                          false, pum_grid.zindex);    } diff --git a/src/nvim/spell.c b/src/nvim/spell.c index f6dc3a04a7..d1428b0117 100644 --- a/src/nvim/spell.c +++ b/src/nvim/spell.c @@ -1677,6 +1677,7 @@ static void int_wordlist_spl(char_u *fname)  // Allocate a new slang_T for language "lang".  "lang" can be NULL.  // Caller must fill "sl_next".  slang_T *slang_alloc(char_u *lang) +  FUNC_ATTR_NONNULL_RET  {    slang_T *lp = xcalloc(1, sizeof(slang_T)); diff --git a/src/nvim/tag.c b/src/nvim/tag.c index a6310344e9..f0e48013b2 100644 --- a/src/nvim/tag.c +++ b/src/nvim/tag.c @@ -1143,7 +1143,6 @@ static int find_tagfunc_tags(    typval_T  args[4];    typval_T  rettv;    char_u flagString[4]; -  dict_T  *d;    taggy_T *tag = &curwin->w_tagstack[curwin->w_tagstackidx];    if (*curbuf->b_p_tfu == NUL) { @@ -1156,7 +1155,7 @@ static int find_tagfunc_tags(    args[1].vval.v_string = flagString;    // create 'info' dict argument -  d = tv_dict_alloc(); +  dict_T *const d = tv_dict_alloc_lock(VAR_FIXED);    if (tag->user_data != NULL) {      tv_dict_add_str(d, S_LEN("user_data"), (const char *)tag->user_data);    } diff --git a/src/nvim/testdir/test_alot.vim b/src/nvim/testdir/test_alot.vim index e50602ccad..b5c50b5894 100644 --- a/src/nvim/testdir/test_alot.vim +++ b/src/nvim/testdir/test_alot.vim @@ -10,6 +10,7 @@ source test_cursor_func.vim  source test_ex_equal.vim  source test_ex_undo.vim  source test_ex_z.vim +source test_ex_mode.vim  source test_execute_func.vim  source test_expand_func.vim  source test_feedkeys.vim diff --git a/src/nvim/testdir/test_arglist.vim b/src/nvim/testdir/test_arglist.vim index 08e578a226..a1ef8325ec 100644 --- a/src/nvim/testdir/test_arglist.vim +++ b/src/nvim/testdir/test_arglist.vim @@ -26,8 +26,6 @@ func Test_argidx()  endfunc  func Test_argadd() -  call Reset_arglist() -    %argdelete    argadd a b c    call assert_equal(0, argidx()) @@ -105,11 +103,6 @@ func Init_abc()    next  endfunc -func Reset_arglist() -  cd -  args a | %argd -endfunc -  func Assert_argc(l)    call assert_equal(len(a:l), argc())    let i = 0 @@ -122,7 +115,8 @@ endfunc  " Test for [count]argument and [count]argdelete commands  " Ported from the test_argument_count.in test script  func Test_argument() -  call Reset_arglist() +  " Clean the argument list +  arga a | %argd    let save_hidden = &hidden    set hidden @@ -250,7 +244,8 @@ endfunc  " Test for 0argadd and 0argedit  " Ported from the test_argument_0count.in test script  func Test_zero_argadd() -  call Reset_arglist() +  " Clean the argument list +  arga a | %argd    arga a b c d    2argu @@ -277,6 +272,10 @@ func Test_zero_argadd()    call assert_equal('file with spaces', expand('%'))  endfunc +func Reset_arglist() +  args a | %argd +endfunc +  " Test for argc()  func Test_argc()    call Reset_arglist() @@ -409,7 +408,6 @@ endfunc  " Test for the :argdelete command  func Test_argdelete()    call Reset_arglist() -    args aa a aaa b bb    argdelete a*    call assert_equal(['b', 'bb'], argv()) diff --git a/src/nvim/testdir/test_autocmd.vim b/src/nvim/testdir/test_autocmd.vim index 5611560b1b..bb84fa498e 100644 --- a/src/nvim/testdir/test_autocmd.vim +++ b/src/nvim/testdir/test_autocmd.vim @@ -190,7 +190,6 @@ func Test_autocmd_bufunload_avoiding_SEGV_02()    normal! i1    call assert_fails('edit a.txt', 'E517:') -  call feedkeys("\<CR>")    autocmd! test_autocmd_bufunload    augroup! test_autocmd_bufunload @@ -452,6 +451,27 @@ func Test_autocmd_bufwipe_in_SessLoadPost()    endfor  endfunc +" Using :blast and :ball for many events caused a crash, because b_nwindows was +" not incremented correctly. +func Test_autocmd_blast_badd() +  let content =<< trim [CODE] +      au BufNew,BufAdd,BufWinEnter,BufEnter,BufLeave,BufWinLeave,BufUnload,VimEnter foo* blast +      edit foo1 +      au BufNew,BufAdd,BufWinEnter,BufEnter,BufLeave,BufWinLeave,BufUnload,VimEnter foo* ball +      edit foo2 +      call writefile(['OK'], 'Xerrors') +      qall +  [CODE] + +  call writefile(content, 'XblastBall') +  call system(GetVimCommand() .. ' --clean -S XblastBall') +  " call assert_match('OK', readfile('Xerrors')->join()) +  call assert_match('OK', join(readfile('Xerrors'))) + +  call delete('XblastBall') +  call delete('Xerrors') +endfunc +  " SEGV occurs in older versions.  func Test_autocmd_bufwipe_in_SessLoadPost2()    tabnew @@ -1949,6 +1969,26 @@ func Test_autocmd_window()    %bw!  endfunc +" Test for trying to close the tab that has the temporary window for exeucing +" an autocmd. +func Test_close_autocmd_tab() +  edit one.txt +  tabnew two.txt +   augroup aucmd_win_test +    au! +    au BufEnter * if expand('<afile>') == 'one.txt' | tabfirst | tabonly | endif +  augroup END + +  call assert_fails('doautoall BufEnter', 'E813:') + +  tabonly +  augroup aucmd_win_test +    au! +  augroup END +  augroup! aucmd_win_test +  %bwipe! +endfunc +  func Test_autocmd_closes_window()    au BufNew,BufWinLeave * e %e    file yyy @@ -1960,4 +2000,13 @@ func Test_autocmd_closes_window()    au! BufWinLeave  endfunc +func Test_autocmd_closing_cmdwin() +  au BufWinLeave * nested q +  call assert_fails("norm 7q?\n", 'E855:') + +  au! BufWinLeave +  new +  only +endfunc +  " vim: shiftwidth=2 sts=2 expandtab diff --git a/src/nvim/testdir/test_cmdline.vim b/src/nvim/testdir/test_cmdline.vim index 489b2477e6..34126b49fa 100644 --- a/src/nvim/testdir/test_cmdline.vim +++ b/src/nvim/testdir/test_cmdline.vim @@ -477,7 +477,7 @@ func Test_expand_star_star()    call delete('a', 'rf')  endfunc -func Test_paste_in_cmdline() +func Test_cmdline_paste()    let @a = "def"    call feedkeys(":abc \<C-R>a ghi\<C-B>\"\<CR>", 'tx')    call assert_equal('"abc def ghi', @:) @@ -517,18 +517,38 @@ func Test_paste_in_cmdline()    bwipe!  endfunc -func Test_remove_char_in_cmdline() -  call feedkeys(":abc def\<S-Left>\<Del>\<C-B>\"\<CR>", 'tx') -  call assert_equal('"abc ef', @:) +func Test_cmdline_remove_char() +  let encoding_save = &encoding + +  " for e in ['utf8', 'latin1'] +  for e in ['utf8'] +    exe 'set encoding=' . e + +    call feedkeys(":abc def\<S-Left>\<Del>\<C-B>\"\<CR>", 'tx') +    call assert_equal('"abc ef', @:, e) + +    call feedkeys(":abc def\<S-Left>\<BS>\<C-B>\"\<CR>", 'tx') +    call assert_equal('"abcdef', @:) + +    call feedkeys(":abc def ghi\<S-Left>\<C-W>\<C-B>\"\<CR>", 'tx') +    call assert_equal('"abc ghi', @:, e) + +    call feedkeys(":abc def\<S-Left>\<C-U>\<C-B>\"\<CR>", 'tx') +    call assert_equal('"def', @:, e) +  endfor -  call feedkeys(":abc def\<S-Left>\<BS>\<C-B>\"\<CR>", 'tx') -  call assert_equal('"abcdef', @:) +  let &encoding = encoding_save +endfunc -  call feedkeys(":abc def ghi\<S-Left>\<C-W>\<C-B>\"\<CR>", 'tx') -  call assert_equal('"abc ghi', @:) +func Test_cmdline_keymap_ctrl_hat() +  if !has('keymap') +    return +  endif -  call feedkeys(":abc def\<S-Left>\<C-U>\<C-B>\"\<CR>", 'tx') -  call assert_equal('"def', @:) +  set keymap=esperanto +  call feedkeys(":\"Jxauxdo \<C-^>Jxauxdo \<C-^>Jxauxdo\<CR>", 'tx') +  call assert_equal('"Jxauxdo Ĵaŭdo Jxauxdo', @:) +  set keymap=  endfunc  func Test_illegal_address1() @@ -615,10 +635,20 @@ func Test_cmdline_complete_bang()  endfunc  funct Test_cmdline_complete_languages() +  let lang = substitute(execute('language time'), '.*"\(.*\)"$', '\1', '') +  call assert_equal(lang, v:lc_time) + +  let lang = substitute(execute('language ctype'), '.*"\(.*\)"$', '\1', '') +  call assert_equal(lang, v:ctype) + +  let lang = substitute(execute('language collate'), '.*"\(.*\)"$', '\1', '') +  call assert_equal(lang, v:collate) +    let lang = substitute(execute('language messages'), '.*"\(.*\)"$', '\1', '') +  call assert_equal(lang, v:lang)    call feedkeys(":language \<c-a>\<c-b>\"\<cr>", 'tx') -  call assert_match('^"language .*\<ctype\>.*\<messages\>.*\<time\>', @:) +  call assert_match('^"language .*\<collate\>.*\<ctype\>.*\<messages\>.*\<time\>', @:)    if has('unix')      " TODO: these tests don't work on Windows. lang appears to be 'C' @@ -633,6 +663,9 @@ funct Test_cmdline_complete_languages()      call feedkeys(":language time \<c-a>\<c-b>\"\<cr>", 'tx')      call assert_match('^"language .*\<' . lang . '\>', @:) + +    call feedkeys(":language collate \<c-a>\<c-b>\"\<cr>", 'tx') +    call assert_match('^"language .*\<' . lang . '\>', @:)    endif  endfunc @@ -850,20 +883,20 @@ func Test_cmdline_overstrike()      " Test overstrike in the middle of the command line.      call feedkeys(":\"01234\<home>\<right>\<right>ab\<right>\<insert>cd\<enter>", 'xt') -    call assert_equal('"0ab1cd4', @:) +    call assert_equal('"0ab1cd4', @:, e)      " Test overstrike going beyond end of command line.      call feedkeys(":\"01234\<home>\<right>\<right>ab\<right>\<insert>cdefgh\<enter>", 'xt') -    call assert_equal('"0ab1cdefgh', @:) +    call assert_equal('"0ab1cdefgh', @:, e)      " Test toggling insert/overstrike a few times.      call feedkeys(":\"01234\<home>\<right>ab\<right>\<insert>cd\<right>\<insert>ef\<enter>", 'xt') -    call assert_equal('"ab0cd3ef4', @:) +    call assert_equal('"ab0cd3ef4', @:, e)    endfor    " Test overstrike with multi-byte characters.    call feedkeys(":\"テキストエディタ\<home>\<right>\<right>ab\<right>\<insert>cd\<enter>", 'xt') -  call assert_equal('"テabキcdエディタ', @:) +  call assert_equal('"テabキcdエディタ', @:, e)    let &encoding = encoding_save  endfunc @@ -972,6 +1005,25 @@ func Test_buffers_lastused()    bwipeout bufc  endfunc +" Test for CmdwinEnter autocmd +func Test_cmdwin_autocmd() +  CheckFeature cmdwin + +  augroup CmdWin +    au! +    autocmd BufLeave * if &buftype == '' | update | endif +    autocmd CmdwinEnter * startinsert +  augroup END + +  call assert_fails('call feedkeys("q:xyz\<CR>", "xt")', 'E492:') +  call assert_equal('xyz', @:) + +  augroup CmdWin +    au! +  augroup END +  augroup! CmdWin +endfunc +  func Test_cmdlineclear_tabenter()    " See test/functional/legacy/cmdline_spec.lua    CheckScreendump @@ -1020,4 +1072,52 @@ func Test_read_shellcmd()    endif  endfunc +" Test for recalling newer or older cmdline from history with <Up>, <Down>, +" <S-Up>, <S-Down>, <PageUp>, <PageDown>, <C-p>, or <C-n>. +func Test_recalling_cmdline() +  CheckFeature cmdline_hist + +  let g:cmdlines = [] +  cnoremap <Plug>(save-cmdline) <Cmd>let g:cmdlines += [getcmdline()]<CR> + +  let histories = [ +  \  {'name': 'cmd',    'enter': ':',                    'exit': "\<Esc>"}, +  \  {'name': 'search', 'enter': '/',                    'exit': "\<Esc>"}, +  \  {'name': 'expr',   'enter': ":\<C-r>=",             'exit': "\<Esc>\<Esc>"}, +  \  {'name': 'input',  'enter': ":call input('')\<CR>", 'exit': "\<CR>"}, +  "\ TODO: {'name': 'debug', ...} +  \] +  let keypairs = [ +  \  {'older': "\<Up>",     'newer': "\<Down>",     'prefixmatch': v:true}, +  \  {'older': "\<S-Up>",   'newer': "\<S-Down>",   'prefixmatch': v:false}, +  \  {'older': "\<PageUp>", 'newer': "\<PageDown>", 'prefixmatch': v:false}, +  \  {'older': "\<C-p>",    'newer': "\<C-n>",      'prefixmatch': v:false}, +  \] +  let prefix = 'vi' +  for h in histories +    call histadd(h.name, 'vim') +    call histadd(h.name, 'virtue') +    call histadd(h.name, 'Virgo') +    call histadd(h.name, 'vogue') +    call histadd(h.name, 'emacs') +    for k in keypairs +      let g:cmdlines = [] +      let keyseqs = h.enter +      \          .. prefix +      \          .. repeat(k.older .. "\<Plug>(save-cmdline)", 2) +      \          .. repeat(k.newer .. "\<Plug>(save-cmdline)", 2) +      \          .. h.exit +      call feedkeys(keyseqs, 'xt') +      call histdel(h.name, -1) " delete the history added by feedkeys above +      let expect = k.prefixmatch +      \          ? ['virtue', 'vim',   'virtue', prefix] +      \          : ['emacs',  'vogue', 'emacs',  prefix] +      call assert_equal(expect, g:cmdlines) +    endfor +  endfor + +  unlet g:cmdlines +  cunmap <Plug>(save-cmdline) +endfunc +  " vim: shiftwidth=2 sts=2 expandtab diff --git a/src/nvim/testdir/test_command_count.vim b/src/nvim/testdir/test_command_count.vim index 36ff4cd1bb..55b230373f 100644 --- a/src/nvim/testdir/test_command_count.vim +++ b/src/nvim/testdir/test_command_count.vim @@ -103,8 +103,6 @@ endfunc  func Test_command_count_2()    silent! %argd -  cd -    arga a b c d    call assert_fails('5argu', 'E16:') diff --git a/src/nvim/testdir/test_ex_mode.vim b/src/nvim/testdir/test_ex_mode.vim new file mode 100644 index 0000000000..f70cb261e0 --- /dev/null +++ b/src/nvim/testdir/test_ex_mode.vim @@ -0,0 +1,82 @@ +" Test editing line in Ex mode (see :help Q and :help gQ). + +" Helper function to test editing line in Q Ex mode +func Ex_Q(cmd) +  " Is there a simpler way to test editing Ex line? +  call feedkeys("Q" +        \    .. "let s:test_ex =<< END\<CR>" +        \    .. a:cmd .. "\<CR>" +        \    .. "END\<CR>" +        \    .. "visual\<CR>", 'tx') +  return s:test_ex[0] +endfunc + +" Helper function to test editing line in gQ Ex mode +func Ex_gQ(cmd) +  call feedkeys("gQ" .. a:cmd .. "\<C-b>\"\<CR>", 'tx') +  let ret = @:[1:] " Remove leading quote. +  call feedkeys("visual\<CR>", 'tx') +  return ret +endfunc + +" Helper function to test editing line with both Q and gQ Ex mode. +func Ex(cmd) + return [Ex_Q(a:cmd), Ex_gQ(a:cmd)] +endfunc + +" Test editing line in Ex mode (both Q and gQ) +func Test_ex_mode() +  throw 'skipped: TODO: ' +  let encoding_save = &encoding +  set sw=2 + +  " for e in ['utf8', 'latin1'] +  for e in ['utf8'] +    exe 'set encoding=' . e + +    call assert_equal(['bar', 'bar'],             Ex("foo bar\<C-u>bar"), e) +    call assert_equal(["1\<C-u>2", "1\<C-u>2"],   Ex("1\<C-v>\<C-u>2"), e) +    call assert_equal(["1\<C-b>2\<C-e>3", '213'], Ex("1\<C-b>2\<C-e>3"), e) +    call assert_equal(['0123', '2013'],           Ex("01\<Home>2\<End>3"), e) +    call assert_equal(['0123', '0213'],           Ex("01\<Left>2\<Right>3"), e) +    call assert_equal(['01234', '0342'],          Ex("012\<Left>\<Left>\<Insert>3\<Insert>4"), e) +    call assert_equal(["foo bar\<C-w>", 'foo '],  Ex("foo bar\<C-w>"), e) +    call assert_equal(['foo', 'foo'],             Ex("fooba\<Del>\<Del>"), e) +    call assert_equal(["foo\tbar", 'foobar'],     Ex("foo\<Tab>bar"), e) +    call assert_equal(["abbrev\t", 'abbreviate'], Ex("abbrev\<Tab>"), e) +    call assert_equal(['    1', "1\<C-t>\<C-t>"], Ex("1\<C-t>\<C-t>"), e) +    call assert_equal(['  1', "1\<C-t>\<C-t>"],   Ex("1\<C-t>\<C-t>\<C-d>"), e) +    call assert_equal(['  foo', '    foo'],       Ex("    foo\<C-d>"), e) +    call assert_equal(['foo', '    foo0'],        Ex("    foo0\<C-d>"), e) +    call assert_equal(['foo', '    foo^'],        Ex("    foo^\<C-d>"), e) +  endfor + +  set sw& +  let &encoding = encoding_save +endfunc + +func Test_ex_mode_errors() +  " Not allowed to enter ex mode when text is locked +  au InsertCharPre <buffer> normal! gQ<CR> +  let caught_e523 = 0 +  try +    call feedkeys("ix\<esc>", 'xt') +  catch /^Vim\%((\a\+)\)\=:E523/ " catch E523 +    let caught_e523 = 1 +  endtry +  call assert_equal(1, caught_e523) +  au! InsertCharPre + +  new +  au CmdLineEnter * call ExEnterFunc() +  func ExEnterFunc() + +  endfunc +  call feedkeys("gQvi\r", 'xt') + +  au! CmdLineEnter +  delfunc ExEnterFunc +  quit +endfunc + +" vim: shiftwidth=2 sts=2 expandtab diff --git a/src/nvim/testdir/test_excmd.vim b/src/nvim/testdir/test_excmd.vim index 4c7452fe69..ed2bb2c06b 100644 --- a/src/nvim/testdir/test_excmd.vim +++ b/src/nvim/testdir/test_excmd.vim @@ -54,6 +54,132 @@ func Test_buffers_lastused()    bwipeout bufc  endfunc +" Test for the :copy command +func Test_copy() +  new + +  call setline(1, ['L1', 'L2', 'L3', 'L4']) +  " copy lines in a range to inside the range +  1,3copy 2 +  call assert_equal(['L1', 'L2', 'L1', 'L2', 'L3', 'L3', 'L4'], getline(1, 7)) + +  close! +endfunc + +" Test for the :file command +func Test_file_cmd() +  call assert_fails('3file', 'E474:') +  call assert_fails('0,0file', 'E474:') +  call assert_fails('0file abc', 'E474:') +endfunc + +" Test for the :drop command +func Test_drop_cmd() +  call writefile(['L1', 'L2'], 'Xfile') +  enew | only +  drop Xfile +  call assert_equal('L2', getline(2)) +  " Test for switching to an existing window +  below new +  drop Xfile +  call assert_equal(1, winnr()) +  " Test for splitting the current window +  enew | only +  set modified +  drop Xfile +  call assert_equal(2, winnr('$')) +  " Check for setting the argument list +  call assert_equal(['Xfile'], argv()) +  enew | only! +  call delete('Xfile') +endfunc + +" Test for the :append command +func Test_append_cmd() +  new +  call setline(1, ['  L1']) +  call feedkeys(":append\<CR>  L2\<CR>  L3\<CR>.\<CR>", 'xt') +  call assert_equal(['  L1', '  L2', '  L3'], getline(1, '$')) +  %delete _ +  " append after a specific line +  call setline(1, ['  L1', '  L2', '  L3']) +  call feedkeys(":2append\<CR>  L4\<CR>  L5\<CR>.\<CR>", 'xt') +  call assert_equal(['  L1', '  L2', '  L4', '  L5', '  L3'], getline(1, '$')) +  %delete _ +  " append with toggling 'autoindent' +  call setline(1, ['  L1']) +  call feedkeys(":append!\<CR>  L2\<CR>  L3\<CR>.\<CR>", 'xt') +  call assert_equal(['  L1', '    L2', '      L3'], getline(1, '$')) +  call assert_false(&autoindent) +  %delete _ +  " append with 'autoindent' set and toggling 'autoindent' +  set autoindent +  call setline(1, ['  L1']) +  call feedkeys(":append!\<CR>  L2\<CR>  L3\<CR>.\<CR>", 'xt') +  call assert_equal(['  L1', '  L2', '  L3'], getline(1, '$')) +  call assert_true(&autoindent) +  set autoindent& +  close! +endfunc + +" Test for the :insert command +func Test_insert_cmd() +  set noautoindent " test assumes noautoindent, but it's on by default in Nvim +  new +  call setline(1, ['  L1']) +  call feedkeys(":insert\<CR>  L2\<CR>  L3\<CR>.\<CR>", 'xt') +  call assert_equal(['  L2', '  L3', '  L1'], getline(1, '$')) +  %delete _ +  " insert before a specific line +  call setline(1, ['  L1', '  L2', '  L3']) +  call feedkeys(":2insert\<CR>  L4\<CR>  L5\<CR>.\<CR>", 'xt') +  call assert_equal(['  L1', '  L4', '  L5', '  L2', '  L3'], getline(1, '$')) +  %delete _ +  " insert with toggling 'autoindent' +  call setline(1, ['  L1']) +  call feedkeys(":insert!\<CR>  L2\<CR>  L3\<CR>.\<CR>", 'xt') +  call assert_equal(['    L2', '      L3', '  L1'], getline(1, '$')) +  call assert_false(&autoindent) +  %delete _ +  " insert with 'autoindent' set and toggling 'autoindent' +  set autoindent +  call setline(1, ['  L1']) +  call feedkeys(":insert!\<CR>  L2\<CR>  L3\<CR>.\<CR>", 'xt') +  call assert_equal(['  L2', '  L3', '  L1'], getline(1, '$')) +  call assert_true(&autoindent) +  set autoindent& +  close! +endfunc + +" Test for the :change command +func Test_change_cmd() +  set noautoindent " test assumes noautoindent, but it's on by default in Nvim +  new +  call setline(1, ['  L1', 'L2', 'L3']) +  call feedkeys(":change\<CR>  L4\<CR>  L5\<CR>.\<CR>", 'xt') +  call assert_equal(['  L4', '  L5', 'L2', 'L3'], getline(1, '$')) +  %delete _ +  " change a specific line +  call setline(1, ['  L1', '  L2', '  L3']) +  call feedkeys(":2change\<CR>  L4\<CR>  L5\<CR>.\<CR>", 'xt') +  call assert_equal(['  L1', '  L4', '  L5', '  L3'], getline(1, '$')) +  %delete _ +  " change with toggling 'autoindent' +  call setline(1, ['  L1', 'L2', 'L3']) +  call feedkeys(":change!\<CR>  L4\<CR>  L5\<CR>.\<CR>", 'xt') +  call assert_equal(['    L4', '      L5', 'L2', 'L3'], getline(1, '$')) +  call assert_false(&autoindent) +  %delete _ +  " change with 'autoindent' set and toggling 'autoindent' +  set autoindent +  call setline(1, ['  L1', 'L2', 'L3']) +  call feedkeys(":change!\<CR>  L4\<CR>  L5\<CR>.\<CR>", 'xt') +  call assert_equal(['  L4', '  L5', 'L2', 'L3'], getline(1, '$')) +  call assert_true(&autoindent) +  set autoindent& +  close! +endfunc +  " Test for the :confirm command dialog  func Test_confirm_cmd()    CheckNotGui diff --git a/src/nvim/testdir/test_fnameescape.vim b/src/nvim/testdir/test_fnameescape.vim index 5382b89aa6..0bafdc29fb 100644 --- a/src/nvim/testdir/test_fnameescape.vim +++ b/src/nvim/testdir/test_fnameescape.vim @@ -18,4 +18,10 @@ func Test_fnameescape()    endtry    call assert_true(status, "ExclamationMark")    call delete(fname) + +  call assert_equal('\-', fnameescape('-')) +  call assert_equal('\+', fnameescape('+')) +  call assert_equal('\>', fnameescape('>'))  endfunc + +" vim: shiftwidth=2 sts=2 expandtab diff --git a/src/nvim/testdir/test_functions.vim b/src/nvim/testdir/test_functions.vim index c280aedffb..93f567b3a0 100644 --- a/src/nvim/testdir/test_functions.vim +++ b/src/nvim/testdir/test_functions.vim @@ -1402,10 +1402,6 @@ func Test_bufadd_bufload()  endfunc  func Test_readdir() -  if isdirectory('Xdir') -    call delete('Xdir', 'rf') -  endif -    call mkdir('Xdir')    call writefile([], 'Xdir/foo.txt')    call writefile([], 'Xdir/bar.txt') @@ -1460,19 +1456,4 @@ func Test_default_arg_value()    call assert_equal('msg', HasDefault())  endfunc -func Test_delete_rf() -  call mkdir('Xdir') -  call writefile([], 'Xdir/foo.txt') -  call writefile([], 'Xdir/bar.txt') -  call mkdir('Xdir/[a-1]')  " issue #696 -  call writefile([], 'Xdir/[a-1]/foo.txt') -  call writefile([], 'Xdir/[a-1]/bar.txt') -  call assert_true(filereadable('Xdir/foo.txt')) -  call assert_true(filereadable('Xdir/[a-1]/foo.txt')) - -  call assert_equal(0, delete('Xdir', 'rf')) -  call assert_false(filereadable('Xdir/foo.txt')) -  call assert_false(filereadable('Xdir/[a-1]/foo.txt')) -endfunc -  " vim: shiftwidth=2 sts=2 expandtab diff --git a/src/nvim/testdir/test_ga.vim b/src/nvim/testdir/test_ga.vim index 87f1382342..ce31edfc7a 100644 --- a/src/nvim/testdir/test_ga.vim +++ b/src/nvim/testdir/test_ga.vim @@ -18,6 +18,7 @@ func Test_ga_command()    call assert_equal("\nNUL",                             Do_ga(''))    call assert_equal("\n<^A>  1,  Hex 01,  Oct 001, Digr SH",    Do_ga("\x01"))    call assert_equal("\n<^I>  9,  Hex 09,  Oct 011, Digr HT",    Do_ga("\t")) +  call assert_equal("\n<^@>  0,  Hex 00,  Octal 000",    Do_ga("\n"))    call assert_equal("\n<e>  101,  Hex 65,  Octal 145",   Do_ga('e')) @@ -30,5 +31,13 @@ func Test_ga_command()    call assert_equal("\n<e>  101,  Hex 65,  Octal 145 < ́> 769, Hex 0301, Octal 1401", Do_ga("e\u0301"))    call assert_equal("\n<e>  101,  Hex 65,  Octal 145 < ́> 769, Hex 0301, Octal 1401 < ̱> 817, Hex 0331, Octal 1461", Do_ga("e\u0301\u0331"))    call assert_equal("\n<e>  101,  Hex 65,  Octal 145 < ́> 769, Hex 0301, Octal 1401 < ̱> 817, Hex 0331, Octal 1461 < ̸> 824, Hex 0338, Octal 1470", Do_ga("e\u0301\u0331\u0338")) + +  " When using Mac fileformat, CR instead of NL is used for line termination +  enew! +  set fileformat=mac +  call assert_equal("\n<^J>  10,  Hex 0a,  Oct 012, Digr NU",    Do_ga("\r")) +    bwipe!  endfunc + +" vim: shiftwidth=2 sts=2 expandtab diff --git a/src/nvim/testdir/test_global.vim b/src/nvim/testdir/test_global.vim index 7ccf2812ff..2de2c412de 100644 --- a/src/nvim/testdir/test_global.vim +++ b/src/nvim/testdir/test_global.vim @@ -29,3 +29,11 @@ func Test_nested_global()    call assert_equal(['nothing', '++found', 'found bad', 'bad'], getline(1, 4))    bwipe!  endfunc + +func Test_global_error() +  call assert_fails('g\\a', 'E10:') +  call assert_fails('g', 'E148:') +  call assert_fails('g/\(/y', 'E476:') +endfunc + +" vim: shiftwidth=2 sts=2 expandtab diff --git a/src/nvim/testdir/test_move.vim b/src/nvim/testdir/test_move.vim index d774c93dbd..f666a904b0 100644 --- a/src/nvim/testdir/test_move.vim +++ b/src/nvim/testdir/test_move.vim @@ -35,6 +35,11 @@ func Test_move()    call assert_fails('1,2move 1', 'E134')    call assert_fails('2,3move 2', 'E134') +  call assert_fails("move -100", 'E16:') +  call assert_fails("move +100", 'E16:') +  call assert_fails('move', 'E16:')    %bwipeout!  endfunc + +" vim: shiftwidth=2 sts=2 expandtab diff --git a/src/nvim/testdir/test_options.vim b/src/nvim/testdir/test_options.vim index 5aef33cb09..8796af7a20 100644 --- a/src/nvim/testdir/test_options.vim +++ b/src/nvim/testdir/test_options.vim @@ -629,6 +629,25 @@ func Test_visualbell()    set belloff=all  endfunc +" Test for the 'write' option +func Test_write() +  new +  call setline(1, ['L1']) +  set nowrite +  call assert_fails('write Xfile', 'E142:') +  set write +  close! +endfunc + +" Test for 'buftype' option +func Test_buftype() +  new +  call setline(1, ['L1']) +  set buftype=nowrite +  call assert_fails('write', 'E382:') +  close! +endfunc +  " Test for setting option values using v:false and v:true  func Test_opt_boolean()    set number& diff --git a/src/nvim/testdir/test_quickfix.vim b/src/nvim/testdir/test_quickfix.vim index 16b6a5f464..da949f5940 100644 --- a/src/nvim/testdir/test_quickfix.vim +++ b/src/nvim/testdir/test_quickfix.vim @@ -1011,9 +1011,10 @@ endfunc  " Tests for %D and %X errorformat options  func Test_efm_dirstack()    " Create the directory stack and files -  call mkdir('dir1/a', 'p') -  call mkdir('dir1/a/b', 'p') -  call mkdir('dir1/c', 'p') +  call mkdir('dir1') +  call mkdir('dir1/a') +  call mkdir('dir1/a/b') +  call mkdir('dir1/c')    call mkdir('dir2')    let lines =<< trim [DATA] @@ -3484,9 +3485,6 @@ func Xqftick_tests(cchar)  	      \ {'filename' : 'F7', 'lnum' : 11, 'text' : 'L11'}], 'r')    call assert_equal(2, g:Xgetlist({'changedtick' : 0}).changedtick) -  if isdirectory("Xone") -    call delete("Xone", 'rf') -  endif    call writefile(["F8:80:L80", "F8:81:L81"], "Xone")    Xfile Xone    call assert_equal(1, g:Xgetlist({'changedtick' : 0}).changedtick) diff --git a/src/nvim/testdir/test_registers.vim b/src/nvim/testdir/test_registers.vim index bcadb84ced..53069b3d31 100644 --- a/src/nvim/testdir/test_registers.vim +++ b/src/nvim/testdir/test_registers.vim @@ -43,9 +43,6 @@ func Test_yank_shows_register()  endfunc  func Test_display_registers() -    " Disable clipboard -    let g:clipboard = {} -      e file1      e file2      call setline(1, ['foo', 'bar']) diff --git a/src/nvim/testdir/test_sort.vim b/src/nvim/testdir/test_sort.vim index 7533eaf2e8..6d55889641 100644 --- a/src/nvim/testdir/test_sort.vim +++ b/src/nvim/testdir/test_sort.vim @@ -13,6 +13,37 @@ func Test_sort_strings()    " numbers compared as strings    call assert_equal([1, 2, 3], sort([3, 2, 1]))    call assert_equal([13, 28, 3], sort([3, 28, 13])) + +  call assert_equal(['A', 'O', 'P', 'a', 'o', 'p', 'Ä', 'Ô', 'ä', 'ô', 'Œ', 'œ'], +  \            sort(['A', 'O', 'P', 'a', 'o', 'p', 'Ä', 'Ô', 'ä', 'ô', 'œ', 'Œ'])) + +  call assert_equal(['A', 'a', 'o', 'O', 'p', 'P', 'Ä', 'Ô', 'ä', 'ô', 'Œ', 'œ'], +  \            sort(['A', 'a', 'o', 'O', 'œ', 'Œ', 'p', 'P', 'Ä', 'ä', 'ô', 'Ô'], 'i')) + +  " This does not appear to work correctly on Mac. +  if !has('mac') +    if v:collate =~? '^\(en\|fr\)_ca.utf-\?8$' +      " with Canadian English capitals come before lower case. +      " 'Œ' is omitted because it can sort before or after 'œ' +      call assert_equal(['A', 'a', 'Ä', 'ä', 'O', 'o', 'Ô', 'ô', 'œ', 'P', 'p'], +      \            sort(['A', 'a', 'o', 'O', 'œ', 'p', 'P', 'Ä', 'ä', 'ô', 'Ô'], 'l')) +    elseif v:collate =~? '^\(en\|es\|de\|fr\|it\|nl\).*\.utf-\?8$' +      " With the following locales, the accentuated letters are ordered +      " similarly to the non-accentuated letters... +      call assert_equal(['a', 'A', 'ä', 'Ä', 'o', 'O', 'ô', 'Ô', 'œ', 'Œ', 'p', 'P'], +      \            sort(['A', 'a', 'o', 'O', 'œ', 'Œ', 'p', 'P', 'Ä', 'ä', 'ô', 'Ô'], 'l')) +    elseif v:collate =~? '^sv.*utf-\?8$' +      " ... whereas with a Swedish locale, the accentuated letters are ordered +      " after Z. +      call assert_equal(['a', 'A', 'o', 'O', 'p', 'P', 'ä', 'Ä', 'œ', 'œ', 'ô', 'Ô'], +      \            sort(['A', 'a', 'o', 'O', 'œ', 'œ', 'p', 'P', 'Ä', 'ä', 'ô', 'Ô'], 'l')) +    endif +  endif +endfunc + +func Test_sort_null_string() +  " null strings are sorted as empty strings. +  call assert_equal(['', 'a', 'b'], sort(['b', v:_null_string, 'a']))  endfunc  func Test_sort_numeric() @@ -1150,7 +1181,7 @@ func Test_sort_cmd()  	\    'input' : [  	\	'1.234',  	\	'0.88', -	\	'123.456', +	\	'  +  123.456',  	\	'1.15e-6',  	\	'-1.1e3',  	\	'-1.01e3', @@ -1165,7 +1196,7 @@ func Test_sort_cmd()  	\	'1.15e-6',  	\	'0.88',  	\	'1.234', -	\	'123.456' +	\	'  +  123.456'  	\    ]  	\ },  	\ { @@ -1197,8 +1228,133 @@ func Test_sort_cmd()  	\	'cc',  	\    ]  	\ }, +	\ { +	\    'name' : 'sort one line buffer', +	\    'cmd' : 'sort', +	\    'input' : [ +	\	'single line' +	\    ], +	\    'expected' : [ +	\	'single line' +	\    ] +	\ }, +	\ { +	\    'name' : 'sort ignoring case', +	\    'cmd' : '%sort i', +	\    'input' : [ +	\	'BB', +	\	'Cc', +	\	'aa' +	\    ], +	\    'expected' : [ +	\	'aa', +	\	'BB', +	\	'Cc' +	\    ] +	\ },  	\ ] +    " This does not appear to work correctly on Mac. +    if !has('mac') +      if v:collate =~? '^\(en\|fr\)_ca.utf-\?8$' +        " en_CA.utf-8 sorts capitals before lower case +        " 'Œ' is omitted because it can sort before or after 'œ' +        let tests += [ +          \ { +          \    'name' : 'sort with locale ' .. v:collate, +          \    'cmd' : '%sort l', +          \    'input' : [ +          \	'A', +          \	'E', +          \	'O', +          \	'À', +          \	'È', +          \	'É', +          \	'Ô', +          \	'Z', +          \	'a', +          \	'e', +          \	'o', +          \	'à', +          \	'è', +          \	'é', +          \	'ô', +          \	'œ', +          \	'z' +          \    ], +          \    'expected' : [ +          \	'A', +          \	'a', +          \	'À', +          \	'à', +          \	'E', +          \	'e', +          \	'É', +          \	'é', +          \	'È', +          \	'è', +          \	'O', +          \	'o', +          \	'Ô', +          \	'ô', +          \	'œ', +          \	'Z', +          \	'z' +          \    ] +          \ }, +          \ ] +      elseif v:collate =~? '^\(en\|es\|de\|fr\|it\|nl\).*\.utf-\?8$' +      " With these locales, the accentuated letters are ordered +      " similarly to the non-accentuated letters. +        let tests += [ +          \ { +          \    'name' : 'sort with locale ' .. v:collate, +          \    'cmd' : '%sort l', +          \    'input' : [ +          \	'A', +          \	'E', +          \	'O', +          \	'À', +          \	'È', +          \	'É', +          \	'Ô', +          \	'Œ', +          \	'Z', +          \	'a', +          \	'e', +          \	'o', +          \	'à', +          \	'è', +          \	'é', +          \	'ô', +          \	'œ', +          \	'z' +          \    ], +          \    'expected' : [ +          \	'a', +          \	'A', +          \	'à', +          \	'À', +          \	'e', +          \	'E', +          \	'é', +          \	'É', +          \	'è', +          \	'È', +          \	'o', +          \	'O', +          \	'ô', +          \	'Ô', +          \	'œ', +          \	'Œ', +          \	'z', +          \	'Z' +          \    ] +          \ }, +          \ ] +    endif +  endif +    for t in tests      enew!      call append(0, t.input) @@ -1217,7 +1373,11 @@ func Test_sort_cmd()      endif    endfor -  call assert_fails('sort no', 'E474') +  " Needs atleast two lines for this test +  call setline(1, ['line1', 'line2']) +  call assert_fails('sort no', 'E474:') +  call assert_fails('sort c', 'E475:') +  call assert_fails('sort #pat%', 'E682:')    enew!  endfunc @@ -1319,4 +1479,46 @@ func Test_sort_cmd_report()      " the output comes from the :g command, not from the :sort      call assert_match("6 fewer lines", res)      enew! -  endfunc +endfunc + +" Test for a :sort command followed by another command +func Test_sort_followed_by_cmd() +  new +  let var = '' +  call setline(1, ['cc', 'aa', 'bb']) +  %sort | let var = "sortcmdtest" +  call assert_equal(var, "sortcmdtest") +  call assert_equal(['aa', 'bb', 'cc'], getline(1, '$')) +  " Test for :sort followed by a comment +  call setline(1, ['3b', '1c', '2a']) +  %sort /\d\+/ " sort alphabetically +  call assert_equal(['2a', '3b', '1c'], getline(1, '$')) +  close! +endfunc + +" Test for :sort using last search pattern +func Test_sort_last_search_pat() +  new +  let @/ = '\d\+' +  call setline(1, ['3b', '1c', '2a']) +  sort // +  call assert_equal(['2a', '3b', '1c'], getline(1, '$')) +  close! +endfunc + +" Test for retaining marks across a :sort +func Test_sort_with_marks() +  new +  call setline(1, ['cc', 'aa', 'bb']) +  call setpos("'c", [0, 1, 0, 0]) +  call setpos("'a", [0, 2, 0, 0]) +  call setpos("'b", [0, 3, 0, 0]) +  %sort +  call assert_equal(['aa', 'bb', 'cc'], getline(1, '$')) +  call assert_equal(2, line("'a")) +  call assert_equal(3, line("'b")) +  call assert_equal(1, line("'c")) +  close! +endfunc + +" vim: shiftwidth=2 sts=2 expandtab diff --git a/src/nvim/testdir/test_statusline.vim b/src/nvim/testdir/test_statusline.vim index f5b6446108..a3e4dcdd25 100644 --- a/src/nvim/testdir/test_statusline.vim +++ b/src/nvim/testdir/test_statusline.vim @@ -241,6 +241,26 @@ func Test_statusline()    call assert_match('^vimLineComment\s*$', s:get_statusline())    syntax off +  "%{%expr%}: evaluates enxpressions present in result of expr +  func! Inner_eval() +    return '%n some other text' +  endfunc +  func! Outer_eval() +    return 'some text %{%Inner_eval()%}' +  endfunc +  set statusline=%{%Outer_eval()%} +  call assert_match('^some text ' . bufnr() . ' some other text\s*$', s:get_statusline()) +  delfunc Inner_eval +  delfunc Outer_eval + +  "%{%expr%}: Doesn't get stuck in recursion +  func! Recurse_eval() +    return '%{%Recurse_eval()%}' +  endfunc +  set statusline=%{%Recurse_eval()%} +  call assert_match('^%{%Recurse_eval()%}\s*$', s:get_statusline()) +  delfunc Recurse_eval +    "%(: Start of item group.    set statusline=ab%(cd%q%)de    call assert_match('^abde\s*$', s:get_statusline()) diff --git a/src/nvim/testdir/test_substitute.vim b/src/nvim/testdir/test_substitute.vim index 32167a45ba..e7f9bb76f2 100644 --- a/src/nvim/testdir/test_substitute.vim +++ b/src/nvim/testdir/test_substitute.vim @@ -426,6 +426,8 @@ func Test_substitute_errors()    call assert_fails('s/FOO/bar/', 'E486:')    call assert_fails('s/foo/bar/@', 'E488:')    call assert_fails('s/\(/bar/', 'E476:') +  call assert_fails('s afooabara', 'E146:') +  call assert_fails('s\\a', 'E10:')    setl nomodifiable    call assert_fails('s/foo/bar/', 'E21:') diff --git a/src/nvim/testdir/test_writefile.vim b/src/nvim/testdir/test_writefile.vim index c62c01d5f3..c7710ff198 100644 --- a/src/nvim/testdir/test_writefile.vim +++ b/src/nvim/testdir/test_writefile.vim @@ -164,6 +164,69 @@ func Test_writefile_autowrite_nowrite()    set noautowrite  endfunc +" Test for ':w !<cmd>' to pipe lines from the current buffer to an external +" command. +func Test_write_pipe_to_cmd() +  if !has('unix') +    return +  endif +  new +  call setline(1, ['L1', 'L2', 'L3', 'L4']) +  2,3w !cat > Xfile +  call assert_equal(['L2', 'L3'], readfile('Xfile')) +  close! +  call delete('Xfile') +endfunc + +" Test for :saveas +func Test_saveas() +  call assert_fails('saveas', 'E471:') +  call writefile(['L1'], 'Xfile') +  new Xfile +  new +  call setline(1, ['L1']) +  call assert_fails('saveas Xfile', 'E139:') +  close! +  enew | only +  call delete('Xfile') +endfunc + +func Test_write_errors() +  " Test for writing partial buffer +  call writefile(['L1', 'L2', 'L3'], 'Xfile') +  new Xfile +  call assert_fails('1,2write', 'E140:') +  close! + +  " Try to overwrite a directory +  if has('unix') +    call mkdir('Xdir1') +    call assert_fails('write Xdir1', 'E17:') +    call delete('Xdir1', 'd') +  endif + +  " Test for :wall for a buffer with no name +  enew | only +  call setline(1, ['L1']) +  call assert_fails('wall', 'E141:') +  enew! + +  " Test for writing a 'readonly' file +  new Xfile +  set readonly +  call assert_fails('write', 'E45:') +  close + +  " Test for writing to a read-only file +  new Xfile +  call setfperm('Xfile', 'r--r--r--') +  call assert_fails('write', 'E505:') +  call setfperm('Xfile', 'rw-rw-rw-') +  close + +  call delete('Xfile') +endfunc +  func Test_writefile_sync_dev_stdout()    if !has('unix')      return diff --git a/src/nvim/ui_compositor.c b/src/nvim/ui_compositor.c index c1e4a40ef2..1ec5189795 100644 --- a/src/nvim/ui_compositor.c +++ b/src/nvim/ui_compositor.c @@ -165,22 +165,13 @@ bool ui_comp_put_grid(ScreenGrid *grid, int row, int col, int height, int width,      }  #endif -    // TODO(bfredl): this is pretty ad-hoc, add a proper z-order/priority -    // scheme. For now: -    // - msg_grid is always on top. -    // - pum_grid is on top of all windows but not msg_grid. Except for when -    //   wildoptions=pum, and completing the cmdline with scrolled messages, -    //   then the pum has to be drawn over the scrolled messages.      size_t insert_at = kv_size(layers); -    bool cmd_completion = (grid == &pum_grid && (State & CMDLINE) -                           && (wop_flags & WOP_PUM)); -    if (kv_A(layers, insert_at-1) == &msg_grid && !cmd_completion) { -      insert_at--; -    } -    if (kv_A(layers, insert_at-1) == &pum_grid && (grid != &msg_grid)) { +    while (insert_at > 0 && kv_A(layers, insert_at-1)->zindex > grid->zindex) {        insert_at--;      } +      if (curwin && kv_A(layers, insert_at-1) == &curwin->w_grid_alloc +        && kv_A(layers, insert_at-1)->zindex == grid->zindex          && !on_top) {        insert_at--;      } @@ -279,12 +270,11 @@ static void ui_comp_grid_cursor_goto(UI *ui, Integer grid_handle,    // should configure all grids before entering win_update()    if (curgrid != &default_grid) {      size_t new_index = kv_size(layers)-1; -    if (kv_A(layers, new_index) == &msg_grid) { -      new_index--; -    } -    if (kv_A(layers, new_index) == &pum_grid) { + +    while (new_index > 1 && kv_A(layers, new_index)->zindex > curgrid->zindex) {        new_index--;      } +      if (curgrid->comp_index < new_index) {        ui_comp_raise_grid(curgrid, new_index);      } diff --git a/src/nvim/window.c b/src/nvim/window.c index d4d00c0a71..936bfa8c5b 100644 --- a/src/nvim/window.c +++ b/src/nvim/window.c @@ -763,10 +763,13 @@ void ui_ext_win_position(win_T *wp)        }        api_clear_error(&dummy);      } + +    wp->w_grid_alloc.zindex = wp->w_float_config.zindex;      if (ui_has(kUIMultigrid)) {        String anchor = cstr_to_string(float_anchor_str[c.anchor]);        ui_call_win_float_pos(wp->w_grid_alloc.handle, wp->handle, anchor, -                            grid->handle, row, col, c.focusable); +                            grid->handle, row, col, c.focusable, +                            wp->w_grid_alloc.zindex);      } else {        // TODO(bfredl): ideally, compositor should work like any multigrid UI        // and use standard win_pos events. @@ -2286,7 +2289,7 @@ int win_close(win_T *win, bool free_buf)      return FAIL;     // window is already being closed    }    if (win == aucmd_win) { -    EMSG(_("E813: Cannot close autocmd window")); +    EMSG(_(e_autocmd_close));      return FAIL;    }    if ((firstwin == aucmd_win || lastwin == aucmd_win) && one_window()) { | 
