在声明(PHP)函数之后和关闭它之前,我倾向于留下1行空格。
function foo($bar) {
[empty line]
do_the_things();
return $something;
[empty line]
}
对我来说,阅读起来似乎更清楚。
但是我没有注意到很多其他人这样做,我想它会为其他人提供我的代码。
我想知道是否有办法让我的编辑器只识别函数声明“function foo($ bar){”,只是在视觉上将10px边距保留在该行之下然后寻找结束“}”并在其上方留出10px的保证金?类似于语法高亮,但不是突出显示它会填充它。
答案 0 :(得分:1)
从build 3118开始,Sublime Text有一个名为Phantoms的功能,可用于在缓冲区内插入内联HTML内容。我们可以编写一个插件来使用此功能来创建您想要的填充。 (没有其他方法可以做到,因为配色方案无法更改字体大小等,line_padding_top
/ line_padding_bottom
首选项会影响所有行。)
import sublime
import sublime_plugin
class FunctionSpacer(sublime_plugin.ViewEventListener):
@classmethod
def is_applicable(cls, settings):
return settings is not None and '/PHP/' in settings.get('syntax', '')
spacing = None
def __init__(self, view):
super().__init__(view)
self.spacing = sublime.PhantomSet(view)
self.on_modified_async()
def on_modified_async(self):
regions = list()
# find all function names and braces
potential_spacing_locations = self.view.find_by_selector('entity.name.function, punctuation.section.block')
depth = -1
for region in potential_spacing_locations:
if self.view.match_selector(region.begin(), 'entity.name.function'):
regions.append(region)
depth = 0
elif depth != -1:
for pos in range(region.begin(), region.end()):
if self.view.match_selector(pos, 'punctuation.section.block.begin') and depth != -1:
depth += 1
elif self.view.match_selector(pos, 'punctuation.section.block.end'):
depth -= 1
if depth == 0:
row, col = self.view.rowcol(region.begin())
regions.append(sublime.Region(self.view.text_point(row - 1, col)))
depth = -1
phantoms = [sublime.Phantom(region, '<br style="font-size: 10pt" />', sublime.LAYOUT_BELOW) for region in regions]
self.spacing.update(phantoms)
function_spacing.py
工作原理:
因为它适用于语法高亮引擎,所以它非常有效,并且不必重新实现任何相同的逻辑,例如忽略字符串或注释等中的大括号。