我是最近从 vim 转换到 emacs (spacemacs) 的人。 Spacemacs 附带 yapf 作为 Python 的标准代码重新格式化工具。当代码损坏时,我发现 autopep8 在 python 代码上运行得更好。我不知道如何让 autopep8 重新格式化选定的区域,而不是整个缓冲区。在 vim 中,这相当于在选择或对象上运行 gq 函数。我们如何在 emacs/spacemacs 中做到这一点?

最佳答案

我不知道你是如何调用 autopep8 的,但是这个特殊的包装器已经在该区域中工作或标记了当前函数:https://gist.github.com/whirm/6122031

将要点保存在您保留个人 elisp 代码的任何位置,例如 ~/elisp/autopep8.el

.emacs 中确保你的 lisp 目录在加载路径上,加载文件,并覆盖键绑定(bind):

(add-to-list 'load-path "~/elisp") ; or wherever you saved the elisp file
(require 'autopep8)
(define-key evil-normal-state-map "gq" 'autopep8)

如果没有区域处于事件状态,gist 中的版本默认为格式化当前函数。要默认为整个缓冲区,请在文件中重写 autopep8 函数,如下所示:
(defun autopep8 (begin end)
  "Beautify a region of python using autopep8"
  (interactive
   (if mark-active
       (list (region-beginning) (region-end))
     (list (point-min) (point-max))))
  (save-excursion
    (shell-command-on-region begin end
                             (concat "python "
                                     autopep8-path
                                     autopep8-args)
                             nil t))))

上述设置假设您是从头开始使用 Emacs 中的 autopep8。如果您已经在 Emacs 中使用了几乎可以满足您要求的其他软件包中的 autopep8,那么如何自定义的最终答案将取决于代码来自何处以及它支持哪些参数和变量。输入 C-h f autopep8 以查看现有函数的帮助。

例如,如果现有的 autopep8 函数接受要格式化的区域的参数,那么您可以使用上面代码中的交互式区域和点逻辑,并定义一个新函数来包装系统上的现有函数。
(define-key evil-normal-state-map "gq" 'autopep8-x)
(defun autopep8-x (begin end)
  "Wraps autopep8 from ??? to format the region or the whole buffer."
  (interactive
   (if mark-active
       (list (region-beginning) (region-end))
     (list (point-min) (point-max))))
  (autopep8 begin end)) ; assuming an existing autopep8 function taking
                        ; region arguments but not defaulting to the
                        ; whole buffer itself

该片段可以全部放入 .emacs 或您保留自定义的任何位置。

关于emacs - autopep8 在 emacs/spacemacs 中重新格式化一个区域,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/34002435/

10-09 03:55