-
Notifications
You must be signed in to change notification settings - Fork 2
Expand file tree
/
Copy pathplugin.py
More file actions
175 lines (135 loc) · 5.45 KB
/
plugin.py
File metadata and controls
175 lines (135 loc) · 5.45 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
# Packages/LSP-terraform/plugin.py
from __future__ import annotations
import hashlib
import os
import platform
import shutil
import sys
import urllib.request
import zipfile
from typing import Any, cast
import sublime
from LSP.plugin import AbstractPlugin, register_plugin, unregister_plugin
USER_AGENT = 'Sublime Text LSP'
TAG = '0.38.6'
# GitHub releases page: https://github.com/hashicorp/terraform-ls/releases
HASHICORP_RELEASES_BASE = 'https://releases.hashicorp.com/terraform-ls/{tag}/terraform-ls_{tag}_{platform}_{arch}.zip'
HASHICORP_SHA256_BASE = 'https://releases.hashicorp.com/terraform-ls/{tag}/terraform-ls_{tag}_SHA256SUMS'
HASHICORP_FILENAME_BASE = 'terraform-ls_{tag}_{platform}_{arch}.zip'
def plat() -> str | None:
"""Return the user friendly platform version that sublime is running on."""
if sublime.platform() == 'osx':
return 'darwin'
if sublime.platform() == 'windows':
return 'windows'
if sublime.platform() == 'linux':
if platform.system() == 'Linux':
return 'linux'
if sys.platform.startswith('freebsd'):
return 'freebsd'
if sys.platform.startswith('openbsd'):
return 'openbsd'
return None
def arch() -> str | None:
"""Return the user friendly architecture version that sublime is running on."""
if sublime.arch() == "x32":
return "386"
elif sublime.arch() == "x64":
return "amd64"
elif sublime.arch() == "arm64":
return "arm64"
else:
return None
class Terraform(AbstractPlugin):
"""AbstractPlugin implementation acts as a helper package for the Terraform Language Server (terraform-ls)."""
@classmethod
def name(cls) -> str:
return "terraform"
@classmethod
def basedir(cls) -> str:
return os.path.join(cls.storage_path(), __package__)
@classmethod
def server_version(cls) -> str:
return TAG
@classmethod
def current_server_version(cls) -> str | None:
try:
with open(os.path.join(cls.basedir(), "VERSION")) as fp:
return fp.read()
except:
return None
@classmethod
def _is_terraform_ls_installed(cls) -> bool:
return bool(cls._get_terraform_ls_path())
@classmethod
def _get_terraform_ls_path(cls) -> str | None:
terraform_ls_binary = cast('list[str]', get_setting('command', [os.path.join(cls.basedir(), 'terraform-ls')]))
return shutil.which(terraform_ls_binary[0]) if len(terraform_ls_binary) else None
@classmethod
def needs_update_or_installation(cls) -> bool:
return not cls._is_terraform_ls_installed() or (cls.current_server_version() != cls.server_version())
@classmethod
def install_or_update(cls) -> None:
if plat() is None:
raise ValueError('System platform not detected or supported')
if arch() is None:
raise ValueError('System architecture not detected or supported')
terraform_ls_path = cls._get_terraform_ls_path()
if terraform_ls_path:
os.remove(terraform_ls_path)
os.makedirs(cls.basedir(), exist_ok=True)
zip_url = HASHICORP_RELEASES_BASE.format(
tag=cls.server_version(), arch=arch(), platform=plat())
zip_file = os.path.join(cls.basedir(), HASHICORP_FILENAME_BASE.format(
tag=cls.server_version(), platform=plat(), arch=arch()))
sha_url = HASHICORP_SHA256_BASE.format(tag=cls.server_version())
sha_file = os.path.join(cls.basedir(), 'terraform-ls.sha')
req = urllib.request.Request(
zip_url,
data=None,
headers={
'User-Agent': USER_AGENT
}
)
with urllib.request.urlopen(req) as fp:
with open(zip_file, "wb") as f:
f.write(fp.read())
req = urllib.request.Request(
sha_url,
data=None,
headers={
'User-Agent': USER_AGENT
}
)
with urllib.request.urlopen(req) as fp:
with open(sha_file, "wb") as f:
f.write(fp.read())
sha256_hash_computed = None
with open(zip_file, "rb") as f:
file_bytes = f.read()
sha256_hash_computed = hashlib.sha256(file_bytes).hexdigest()
with open(sha_file) as fp:
for line in fp:
sha256sum, filename = line.split(' ')
if filename.strip() != HASHICORP_FILENAME_BASE.format(tag=TAG, platform=plat(), arch=arch()):
continue
if sha256sum.strip() != sha256_hash_computed:
raise ValueError(
'sha256 mismatch', 'original hash:', sha256sum, 'computed hash:', sha256_hash_computed)
break
with zipfile.ZipFile(zip_file, 'r') as zip_ref:
zip_ref.extractall(cls.basedir())
os.remove(zip_file)
os.remove(sha_file)
terraform_ls = 'terraform-ls' if plat() != 'windows' else 'terraform-ls.exe'
os.chmod(os.path.join(cls.basedir(), terraform_ls), 0o700)
with open(os.path.join(cls.basedir(), 'VERSION'), 'w') as fp:
fp.write(cls.server_version())
def get_setting(key: str, default=None) -> Any:
settings = sublime.load_settings(
'LSP-terraform.sublime-settings').get("settings", {})
return settings.get(key, default)
def plugin_loaded():
register_plugin(Terraform)
def plugin_unloaded():
unregister_plugin(Terraform)