1

我正在尝试编写一个插件,允许我一次打开一组相关文件。前提是:

  1. 该插件向用户显示目录列表(表面上是自包含的 ui 组件)
  2. 用户选择目录
  3. 该插件创建一个新的 3 列布局
  4. 在所选目录的第一列中打开一个 .js 文件
  5. 在所选目录的第二列中打开一个 .html 文件
  6. 在所选目录的第三列中打开一个 .scss 文件

到目前为止,我已经有了向用户展示目录选择并创建三列布局的插件,但我不知道如何遍历三列布局以在新视图中打开文件

import sublime, sublime_plugin, os

class OpenSesameCommand(sublime_plugin.TextCommand):

    def run(self, edit):
        #This is the directory where the components are kept
        self.thedir = '/Users/tom/Documents/Tradeweb/tradeweb-uscc/src/js/components'
        self.window = sublime.active_window()

        #Get all directories in the component directory
        self.listings = [ name for name in os.listdir(self.thedir) if os.path.isdir(os.path.join(self.thedir, name)) ]

        #Show all directories in the quick panel
        self.window.show_quick_panel(self.listings, self.open_component, sublime.MONOSPACE_FONT)

    def open_component(self, index):

        # Generate file paths to the relevant files
        compName = self.listings[index]
        jsFile = self.create_file_ref(compName, 'js')
        htmlFile = self.create_file_ref(compName, 'html')
        sassFile = self.create_file_ref(compName, 'scss')

         #create a new layout
        self.window.set_layout({
            "cols": [0.0, 0.3, 0.6, 1.0],
            "rows": [0.0, 1.0],
            "cells": [ [0, 0, 1, 1], [1, 0, 1, 1], [2, 0, 2, 1]]
        })

            # ??? how can I set the focus on different columns

        #open files
        #self.window.open_file(htmlFile)
        #self.window.open_file(jsFile)
            #self.window.open_file(sassFile)


    def create_file_ref(self, component, type):
        componentDir = self.thedir + '/' + component + '/'
        return componentDir + component + '.' + type 

通过API,我得到的印象是它view与对象group上的相关方法有关,Window但我无法终生将它拼凑在一起。

例如,如果有人能指出我如何在第三列中打开文件,我相信我可以从那里拿走它。

顺便说一句:这是我第一次使用 python,所以请原谅任何不好的做法(但请指出它们)。

4

1 回答 1

3

你会想要使用

self.window.focus_group(0)
self.window.open_file(htmlFile)

self.window.focus_group(1)
self.window.open_file(jsFile)

self.window.focus_group(2)
self.window.open_file(sassFile)

或者,等效地,

for i, file in enumerate([htmlFile, jsFile, sassFile]):
    self.window.focus_group(i)
    self.window.open_file(file)

要设置布局,请使用参考。缓存在这里,因为它一直处于关闭状态。

于 2014-01-14T19:20:38.847 回答