Merge pull request #539 from zigtools/basic-improvements

Basic improvements!
This commit is contained in:
Auguste Rame 2022-07-15 13:46:36 -04:00 committed by GitHub
commit ba68a4dcb5
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
13 changed files with 225 additions and 219 deletions

View File

@ -3,6 +3,8 @@
[![CI](https://github.com/zigtools/zls/workflows/CI/badge.svg)](https://github.com/zigtools/zls/actions) [![CI](https://github.com/zigtools/zls/workflows/CI/badge.svg)](https://github.com/zigtools/zls/actions)
![Zig Tools](./.github/assets/zigtools.svg) ![Zig Tools](./.github/assets/zigtools.svg)
**Need support? Wanna help out? Join our [Discord server](https://discord.gg/5m5U3qpUhk)!**
Zig Language Server, or `zls`, is a language server for Zig. The Zig wiki states that "The Zig community is decentralized" and "There is no concept of 'official' or 'unofficial'", so instead of calling `zls` unofficial, and I'm going to call it a cool option, one of [many](https://github.com/search?q=zig+language+server). Zig Language Server, or `zls`, is a language server for Zig. The Zig wiki states that "The Zig community is decentralized" and "There is no concept of 'official' or 'unofficial'", so instead of calling `zls` unofficial, and I'm going to call it a cool option, one of [many](https://github.com/search?q=zig+language+server).
<!-- omit in toc --> <!-- omit in toc -->

View File

@ -1,6 +1,6 @@
const std = @import("std"); const std = @import("std");
const builtin = @import("builtin"); const builtin = @import("builtin");
const shared = @import("./src/shared.zig"); const shared = @import("src/shared.zig");
pub fn build(b: *std.build.Builder) !void { pub fn build(b: *std.build.Builder) !void {
const target = b.standardTargetOptions(.{}); const target = b.standardTargetOptions(.{});

View File

@ -1,4 +1,12 @@
// Configuration options for zls. //! Configuration options for zls.
const Config = @This();
const std = @import("std");
const setup = @import("setup.zig");
const known_folders = @import("known-folders");
const logger = std.log.scoped(.config);
/// Whether to enable snippet completions /// Whether to enable snippet completions
enable_snippets: bool = false, enable_snippets: bool = false,
@ -44,3 +52,116 @@ skip_std_references: bool = false,
/// Path to "builtin;" useful for debugging, automatically set if let null /// Path to "builtin;" useful for debugging, automatically set if let null
builtin_path: ?[]const u8 = null, builtin_path: ?[]const u8 = null,
pub fn configChanged(config: *Config, allocator: std.mem.Allocator, builtin_creation_dir: ?[]const u8) !void {
// Find the zig executable in PATH
find_zig: {
if (config.zig_exe_path) |exe_path| {
if (std.fs.path.isAbsolute(exe_path)) not_valid: {
std.fs.cwd().access(exe_path, .{}) catch break :not_valid;
break :find_zig;
}
logger.debug("zig path `{s}` is not absolute, will look in path", .{exe_path});
allocator.free(exe_path);
}
config.zig_exe_path = try setup.findZig(allocator);
}
if (config.zig_exe_path) |exe_path| {
logger.info("Using zig executable {s}", .{exe_path});
if (config.zig_lib_path == null) find_lib_path: {
// Use `zig env` to find the lib path
const zig_env_result = try std.ChildProcess.exec(.{
.allocator = allocator,
.argv = &[_][]const u8{ exe_path, "env" },
});
defer {
allocator.free(zig_env_result.stdout);
allocator.free(zig_env_result.stderr);
}
switch (zig_env_result.term) {
.Exited => |exit_code| {
if (exit_code == 0) {
const Env = struct {
zig_exe: []const u8,
lib_dir: ?[]const u8,
std_dir: []const u8,
global_cache_dir: []const u8,
version: []const u8,
};
var json_env = std.json.parse(
Env,
&std.json.TokenStream.init(zig_env_result.stdout),
.{ .allocator = allocator },
) catch {
logger.err("Failed to parse zig env JSON result", .{});
break :find_lib_path;
};
defer std.json.parseFree(Env, json_env, .{ .allocator = allocator });
// We know this is allocated with `allocator`, we just steal it!
config.zig_lib_path = json_env.lib_dir.?;
json_env.lib_dir = null;
logger.info("Using zig lib path '{s}'", .{config.zig_lib_path});
}
},
else => logger.err("zig env invocation failed", .{}),
}
}
} else {
logger.warn("Zig executable path not specified in zls.json and could not be found in PATH", .{});
}
if (config.zig_lib_path == null) {
logger.warn("Zig standard library path not specified in zls.json and could not be resolved from the zig executable", .{});
}
if (config.builtin_path == null and config.zig_exe_path != null and builtin_creation_dir != null) blk: {
const result = try std.ChildProcess.exec(.{
.allocator = allocator,
.argv = &.{
config.zig_exe_path.?,
"build-exe",
"--show-builtin",
},
.max_output_bytes = 1024 * 1024 * 50,
});
defer allocator.free(result.stdout);
defer allocator.free(result.stderr);
var d = try std.fs.cwd().openDir(builtin_creation_dir.?, .{});
defer d.close();
const f = d.createFile("builtin.zig", .{}) catch |err| switch (err) {
error.AccessDenied => break :blk,
else => |e| return e,
};
defer f.close();
try f.writer().writeAll(result.stdout);
config.builtin_path = try std.fs.path.join(allocator, &.{ builtin_creation_dir.?, "builtin.zig" });
}
config.build_runner_path = if (config.build_runner_path) |p|
try allocator.dupe(u8, p)
else blk: {
var exe_dir_bytes: [std.fs.MAX_PATH_BYTES]u8 = undefined;
const exe_dir_path = try std.fs.selfExeDirPath(&exe_dir_bytes);
break :blk try std.fs.path.resolve(allocator, &[_][]const u8{ exe_dir_path, "build_runner.zig" });
};
config.build_runner_cache_path = if (config.build_runner_cache_path) |p|
try allocator.dupe(u8, p)
else blk: {
const cache_dir_path = (try known_folders.getPath(allocator, .cache)) orelse {
logger.warn("Known-folders could not fetch the cache path", .{});
return;
};
defer allocator.free(cache_dir_path);
break :blk try std.fs.path.resolve(allocator, &[_][]const u8{ cache_dir_path, "zls" });
};
}

View File

@ -1,12 +1,13 @@
const std = @import("std"); const std = @import("std");
const types = @import("./types.zig"); const types = @import("types.zig");
const URI = @import("./uri.zig"); const URI = @import("uri.zig");
const analysis = @import("./analysis.zig"); const analysis = @import("analysis.zig");
const offsets = @import("./offsets.zig"); const offsets = @import("offsets.zig");
const log = std.log.scoped(.doc_store); const log = std.log.scoped(.doc_store);
const Ast = std.zig.Ast; const Ast = std.zig.Ast;
const BuildAssociatedConfig = @import("./BuildAssociatedConfig.zig"); const BuildAssociatedConfig = @import("BuildAssociatedConfig.zig");
const tracy = @import("./tracy.zig"); const tracy = @import("tracy.zig");
const Config = @import("Config.zig");
const DocumentStore = @This(); const DocumentStore = @This();
@ -46,38 +47,38 @@ pub const Handle = struct {
} }
}; };
pub const UriToHandleMap = std.StringHashMapUnmanaged(*Handle);
pub const BuildFileList = std.ArrayListUnmanaged(*BuildFile);
allocator: std.mem.Allocator, allocator: std.mem.Allocator,
handles: std.StringHashMap(*Handle), handles: UriToHandleMap = .{},
zig_exe_path: ?[]const u8, build_files: BuildFileList = .{},
build_files: std.ArrayListUnmanaged(*BuildFile),
build_runner_path: []const u8, config: *const Config,
build_runner_cache_path: []const u8,
std_uri: ?[]const u8, std_uri: ?[]const u8,
zig_cache_root: []const u8, // TODO make this configurable
zig_global_cache_root: []const u8, // We can't figure it out ourselves since we don't know what arguments
builtin_path: ?[]const u8, // the user will use to run "zig build"
zig_cache_root: []const u8 = "zig-cache",
// Since we don't compile anything and no packages should put their
// files there this path can be ignored
zig_global_cache_root: []const u8 = "ZLS_DONT_CARE",
pub fn init( pub fn init(
self: *DocumentStore,
allocator: std.mem.Allocator, allocator: std.mem.Allocator,
zig_exe_path: ?[]const u8, config: *const Config,
build_runner_path: []const u8, ) !DocumentStore {
build_runner_cache_path: []const u8, return DocumentStore{
zig_lib_path: ?[]const u8, .allocator = allocator,
zig_cache_root: []const u8, .config = config,
zig_global_cache_root: []const u8, .std_uri = try stdUriFromLibPath(allocator, config.zig_lib_path),
builtin_path: ?[]const u8, };
) !void { }
self.allocator = allocator;
self.handles = std.StringHashMap(*Handle).init(allocator); fn updateStdUri(store: *DocumentStore) !void {
self.zig_exe_path = zig_exe_path; if (store.std_uri) |std_uri|
self.build_files = .{}; store.allocator.free(std_uri);
self.build_runner_path = build_runner_path; store.std_uri = try stdUriFromLibPath(store.allocator, store.config.zig_lib_path);
self.build_runner_cache_path = build_runner_cache_path;
self.std_uri = try stdUriFromLibPath(allocator, zig_lib_path);
self.zig_cache_root = zig_cache_root;
self.zig_global_cache_root = zig_global_cache_root;
self.builtin_path = builtin_path;
} }
fn loadBuildAssociatedConfiguration(allocator: std.mem.Allocator, build_file: *BuildFile, build_file_path: []const u8) !void { fn loadBuildAssociatedConfiguration(allocator: std.mem.Allocator, build_file: *BuildFile, build_file_path: []const u8) !void {
@ -233,7 +234,7 @@ fn newDocument(self: *DocumentStore, uri: []const u8, text: [:0]u8) anyerror!*Ha
// TODO: Better logic for detecting std or subdirectories? // TODO: Better logic for detecting std or subdirectories?
const in_std = std.mem.indexOf(u8, uri, "/std/") != null; const in_std = std.mem.indexOf(u8, uri, "/std/") != null;
if (self.zig_exe_path != null and std.mem.endsWith(u8, uri, "/build.zig") and !in_std) { if (self.config.zig_exe_path != null and std.mem.endsWith(u8, uri, "/build.zig") and !in_std) {
log.debug("Document is a build file, extracting packages...", .{}); log.debug("Document is a build file, extracting packages...", .{});
// This is a build file. // This is a build file.
var build_file = try self.allocator.create(BuildFile); var build_file = try self.allocator.create(BuildFile);
@ -252,8 +253,8 @@ fn newDocument(self: *DocumentStore, uri: []const u8, text: [:0]u8) anyerror!*Ha
log.debug("Failed to load config associated with build file {s} (error: {})", .{ build_file.uri, err }); log.debug("Failed to load config associated with build file {s} (error: {})", .{ build_file.uri, err });
}; };
if (build_file.builtin_uri == null) { if (build_file.builtin_uri == null) {
if (self.builtin_path != null) { if (self.config.builtin_path != null) {
build_file.builtin_uri = try URI.fromPath(self.allocator, self.builtin_path.?); build_file.builtin_uri = try URI.fromPath(self.allocator, self.config.builtin_path.?);
log.info("builtin config not found, falling back to default: {s}", .{build_file.builtin_uri}); log.info("builtin config not found, falling back to default: {s}", .{build_file.builtin_uri});
} }
} }
@ -263,9 +264,9 @@ fn newDocument(self: *DocumentStore, uri: []const u8, text: [:0]u8) anyerror!*Ha
loadPackages(.{ loadPackages(.{
.build_file = build_file, .build_file = build_file,
.allocator = self.allocator, .allocator = self.allocator,
.build_runner_path = self.build_runner_path, .build_runner_path = self.config.build_runner_path.?,
.build_runner_cache_path = self.build_runner_cache_path, .build_runner_cache_path = self.config.build_runner_cache_path.?,
.zig_exe_path = self.zig_exe_path.?, .zig_exe_path = self.config.zig_exe_path.?,
.build_file_path = build_file_path, .build_file_path = build_file_path,
.cache_root = self.zig_cache_root, .cache_root = self.zig_cache_root,
.global_cache_root = self.zig_global_cache_root, .global_cache_root = self.zig_global_cache_root,
@ -275,7 +276,7 @@ fn newDocument(self: *DocumentStore, uri: []const u8, text: [:0]u8) anyerror!*Ha
try self.build_files.append(self.allocator, build_file); try self.build_files.append(self.allocator, build_file);
handle.is_build_file = build_file; handle.is_build_file = build_file;
} else if (self.zig_exe_path != null and !in_std) { } else if (self.config.zig_exe_path != null and !in_std) {
// Look into build files and keep the one that lives closest to the document in the directory structure // Look into build files and keep the one that lives closest to the document in the directory structure
var candidate: ?*BuildFile = null; var candidate: ?*BuildFile = null;
{ {
@ -368,7 +369,7 @@ fn newDocument(self: *DocumentStore, uri: []const u8, text: [:0]u8) anyerror!*Ha
self.allocator.free(handle.import_uris); self.allocator.free(handle.import_uris);
} }
try self.handles.putNoClobber(uri, handle); try self.handles.putNoClobber(self.allocator, uri, handle);
return handle; return handle;
} }
@ -533,9 +534,9 @@ pub fn applySave(self: *DocumentStore, handle: *Handle) !void {
loadPackages(.{ loadPackages(.{
.build_file = build_file, .build_file = build_file,
.allocator = self.allocator, .allocator = self.allocator,
.build_runner_path = self.build_runner_path, .build_runner_path = self.config.build_runner_path.?,
.build_runner_cache_path = self.build_runner_cache_path, .build_runner_cache_path = self.config.build_runner_cache_path.?,
.zig_exe_path = self.zig_exe_path.?, .zig_exe_path = self.config.zig_exe_path.?,
.cache_root = self.zig_cache_root, .cache_root = self.zig_cache_root,
.global_cache_root = self.zig_global_cache_root, .global_cache_root = self.zig_global_cache_root,
}) catch |err| { }) catch |err| {
@ -623,8 +624,8 @@ pub fn uriFromImportStr(self: *DocumentStore, allocator: std.mem.Allocator, hand
return try allocator.dupe(u8, builtin_uri); return try allocator.dupe(u8, builtin_uri);
} }
} }
if (self.builtin_path) |_| { if (self.config.builtin_path) |_| {
return try URI.fromPath(allocator, self.builtin_path.?); return try URI.fromPath(allocator, self.config.builtin_path.?);
} }
return null; return null;
} else if (!std.mem.endsWith(u8, import_str, ".zig")) { } else if (!std.mem.endsWith(u8, import_str, ".zig")) {
@ -759,7 +760,7 @@ pub fn deinit(self: *DocumentStore) void {
self.allocator.destroy(entry.value_ptr.*); self.allocator.destroy(entry.value_ptr.*);
} }
self.handles.deinit(); self.handles.deinit(self.allocator);
for (self.build_files.items) |build_file| { for (self.build_files.items) |build_file| {
for (build_file.packages.items) |pkg| { for (build_file.packages.items) |pkg| {
self.allocator.free(pkg.name); self.allocator.free(pkg.name);
@ -772,8 +773,6 @@ pub fn deinit(self: *DocumentStore) void {
if (self.std_uri) |std_uri| { if (self.std_uri) |std_uri| {
self.allocator.free(std_uri); self.allocator.free(std_uri);
} }
self.allocator.free(self.build_runner_path);
self.allocator.free(self.build_runner_cache_path);
self.build_files.deinit(self.allocator); self.build_files.deinit(self.allocator);
} }

View File

@ -1,10 +1,10 @@
const std = @import("std"); const std = @import("std");
const DocumentStore = @import("./DocumentStore.zig"); const DocumentStore = @import("DocumentStore.zig");
const Ast = std.zig.Ast; const Ast = std.zig.Ast;
const types = @import("./types.zig"); const types = @import("types.zig");
const offsets = @import("./offsets.zig"); const offsets = @import("offsets.zig");
const log = std.log.scoped(.analysis); const log = std.log.scoped(.analysis);
const ast = @import("./ast.zig"); const ast = @import("ast.zig");
var using_trail: std.ArrayList([*]const u8) = undefined; var using_trail: std.ArrayList([*]const u8) = undefined;
var resolve_trail: std.ArrayList(NodeWithHandle) = undefined; var resolve_trail: std.ArrayList(NodeWithHandle) = undefined;

View File

@ -1,23 +1,23 @@
const std = @import("std"); const std = @import("std");
const zig_builtin = @import("builtin"); const zig_builtin = @import("builtin");
const build_options = @import("build_options"); const build_options = @import("build_options");
const Config = @import("./Config.zig"); const Config = @import("Config.zig");
const DocumentStore = @import("./DocumentStore.zig"); const DocumentStore = @import("DocumentStore.zig");
const readRequestHeader = @import("./header.zig").readRequestHeader; const readRequestHeader = @import("header.zig").readRequestHeader;
const requests = @import("./requests.zig"); const requests = @import("requests.zig");
const types = @import("./types.zig"); const types = @import("types.zig");
const analysis = @import("./analysis.zig"); const analysis = @import("analysis.zig");
const ast = @import("./ast.zig"); const ast = @import("ast.zig");
const references = @import("./references.zig"); const references = @import("references.zig");
const rename = @import("./rename.zig"); const rename = @import("rename.zig");
const offsets = @import("./offsets.zig"); const offsets = @import("offsets.zig");
const setup = @import("./setup.zig"); const setup = @import("setup.zig");
const semantic_tokens = @import("./semantic_tokens.zig"); const semantic_tokens = @import("semantic_tokens.zig");
const shared = @import("./shared.zig"); const shared = @import("shared.zig");
const Ast = std.zig.Ast; const Ast = std.zig.Ast;
const known_folders = @import("known-folders"); const known_folders = @import("known-folders");
const tracy = @import("./tracy.zig"); const tracy = @import("tracy.zig");
const uri_utils = @import("./uri.zig"); const uri_utils = @import("uri.zig");
const data = switch (build_options.data_version) { const data = switch (build_options.data_version) {
.master => @import("data/master.zig"), .master => @import("data/master.zig"),
@ -2191,6 +2191,8 @@ fn didChangeConfigurationHandler(arena: *std.heap.ArenaAllocator, id: types.Requ
@field(config, field.name) = if (@TypeOf(value) == []const u8) try gpa_state.allocator().dupe(u8, value) else value; @field(config, field.name) = if (@TypeOf(value) == []const u8) try gpa_state.allocator().dupe(u8, value) else value;
} }
} }
try config.configChanged(allocator, null);
} else if (client_capabilities.supports_configuration) } else if (client_capabilities.supports_configuration)
try requestConfiguration(arena); try requestConfiguration(arena);
} }
@ -2281,6 +2283,8 @@ fn processJsonRpc(arena: *std.heap.ArenaAllocator, parser: *std.json.Parser, jso
} }
} }
try config.configChanged(allocator, null);
return; return;
} }
@ -2475,131 +2479,11 @@ pub fn main() anyerror!void {
config_path = null; config_path = null;
} }
// Find the zig executable in PATH try config.configChanged(allocator, config_path);
find_zig: {
if (config.zig_exe_path) |exe_path| {
if (std.fs.path.isAbsolute(exe_path)) not_valid: {
std.fs.cwd().access(exe_path, .{}) catch break :not_valid;
break :find_zig;
}
logger.debug("zig path `{s}` is not absolute, will look in path", .{exe_path});
allocator.free(exe_path);
}
config.zig_exe_path = try setup.findZig(allocator);
}
if (config.zig_exe_path) |exe_path| { document_store = try DocumentStore.init(
logger.info("Using zig executable {s}", .{exe_path});
if (config.zig_lib_path == null) find_lib_path: {
// Use `zig env` to find the lib path
const zig_env_result = try std.ChildProcess.exec(.{
.allocator = allocator,
.argv = &[_][]const u8{ exe_path, "env" },
});
defer {
allocator.free(zig_env_result.stdout);
allocator.free(zig_env_result.stderr);
}
switch (zig_env_result.term) {
.Exited => |exit_code| {
if (exit_code == 0) {
const Env = struct {
zig_exe: []const u8,
lib_dir: ?[]const u8,
std_dir: []const u8,
global_cache_dir: []const u8,
version: []const u8,
};
var json_env = std.json.parse(
Env,
&std.json.TokenStream.init(zig_env_result.stdout),
.{ .allocator = allocator },
) catch {
logger.err("Failed to parse zig env JSON result", .{});
break :find_lib_path;
};
defer std.json.parseFree(Env, json_env, .{ .allocator = allocator });
// We know this is allocated with `allocator`, we just steal it!
config.zig_lib_path = json_env.lib_dir.?;
json_env.lib_dir = null;
logger.info("Using zig lib path '{s}'", .{config.zig_lib_path});
}
},
else => logger.err("zig env invocation failed", .{}),
}
}
} else {
logger.warn("Zig executable path not specified in zls.json and could not be found in PATH", .{});
}
if (config.zig_lib_path == null) {
logger.warn("Zig standard library path not specified in zls.json and could not be resolved from the zig executable", .{});
}
if (config.builtin_path == null and config.zig_exe_path != null and config_path != null) blk: {
const result = try std.ChildProcess.exec(.{
.allocator = allocator,
.argv = &.{
config.zig_exe_path.?,
"build-exe",
"--show-builtin",
},
.max_output_bytes = 1024 * 1024 * 50,
});
defer allocator.free(result.stdout);
defer allocator.free(result.stderr);
var d = try std.fs.cwd().openDir(config_path.?, .{});
defer d.close();
const f = d.createFile("builtin.zig", .{}) catch |err| switch (err) {
error.AccessDenied => break :blk,
else => |e| return e,
};
defer f.close();
try f.writer().writeAll(result.stdout);
config.builtin_path = try std.fs.path.join(allocator, &.{ config_path.?, "builtin.zig" });
}
const build_runner_path = if (config.build_runner_path) |p|
try allocator.dupe(u8, p)
else blk: {
var exe_dir_bytes: [std.fs.MAX_PATH_BYTES]u8 = undefined;
const exe_dir_path = try std.fs.selfExeDirPath(&exe_dir_bytes);
break :blk try std.fs.path.resolve(allocator, &[_][]const u8{ exe_dir_path, "build_runner.zig" });
};
const build_runner_cache_path = if (config.build_runner_cache_path) |p|
try allocator.dupe(u8, p)
else blk: {
const cache_dir_path = (try known_folders.getPath(allocator, .cache)) orelse {
logger.warn("Known-folders could not fetch the cache path", .{});
return;
};
defer allocator.free(cache_dir_path);
break :blk try std.fs.path.resolve(allocator, &[_][]const u8{ cache_dir_path, "zls" });
};
try document_store.init(
allocator, allocator,
config.zig_exe_path, &config,
build_runner_path,
build_runner_cache_path,
config.zig_lib_path,
// TODO make this configurable
// We can't figure it out ourselves since we don't know what arguments
// the user will use to run "zig build"
"zig-cache",
// Since we don't compile anything and no packages should put their
// files there this path can be ignored
"ZLS_DONT_CARE",
config.builtin_path,
); );
defer document_store.deinit(); defer document_store.deinit();

View File

@ -1,5 +1,5 @@
const std = @import("std"); const std = @import("std");
const types = @import("./types.zig"); const types = @import("types.zig");
const Ast = std.zig.Ast; const Ast = std.zig.Ast;
pub const Encoding = enum { pub const Encoding = enum {

View File

@ -1,11 +1,11 @@
const std = @import("std"); const std = @import("std");
const Ast = std.zig.Ast; const Ast = std.zig.Ast;
const DocumentStore = @import("./DocumentStore.zig"); const DocumentStore = @import("DocumentStore.zig");
const analysis = @import("./analysis.zig"); const analysis = @import("analysis.zig");
const types = @import("./types.zig"); const types = @import("types.zig");
const offsets = @import("./offsets.zig"); const offsets = @import("offsets.zig");
const log = std.log.scoped(.references); const log = std.log.scoped(.references);
const ast = @import("./ast.zig"); const ast = @import("ast.zig");
fn tokenReference(handle: *DocumentStore.Handle, tok: Ast.TokenIndex, encoding: offsets.Encoding, context: anytype, comptime handler: anytype) !void { fn tokenReference(handle: *DocumentStore.Handle, tok: Ast.TokenIndex, encoding: offsets.Encoding, context: anytype, comptime handler: anytype) !void {
const loc = offsets.tokenRelativeLocation(handle.tree, 0, handle.tree.tokens.items(.start)[tok], encoding) catch return; const loc = offsets.tokenRelativeLocation(handle.tree, 0, handle.tree.tokens.items(.start)[tok], encoding) catch return;

View File

@ -1,9 +1,9 @@
const std = @import("std"); const std = @import("std");
const DocumentStore = @import("./DocumentStore.zig"); const DocumentStore = @import("DocumentStore.zig");
const analysis = @import("./analysis.zig"); const analysis = @import("analysis.zig");
const references = @import("./references.zig"); const references = @import("references.zig");
const types = @import("./types.zig"); const types = @import("types.zig");
const offsets = @import("./offsets.zig"); const offsets = @import("offsets.zig");
// TODO Use a map to array lists and collect at the end instead? // TODO Use a map to array lists and collect at the end instead?
const RefHandlerContext = struct { const RefHandlerContext = struct {

View File

@ -3,7 +3,7 @@
//! We only define what we actually use. //! We only define what we actually use.
const std = @import("std"); const std = @import("std");
const types = @import("./types.zig"); const types = @import("types.zig");
/// Only check for the field's existence. /// Only check for the field's existence.
const Exists = struct { const Exists = struct {

View File

@ -1,10 +1,10 @@
const std = @import("std"); const std = @import("std");
const offsets = @import("./offsets.zig"); const offsets = @import("offsets.zig");
const DocumentStore = @import("./DocumentStore.zig"); const DocumentStore = @import("DocumentStore.zig");
const analysis = @import("./analysis.zig"); const analysis = @import("analysis.zig");
const Ast = std.zig.Ast; const Ast = std.zig.Ast;
const log = std.log.scoped(.semantic_tokens); const log = std.log.scoped(.semantic_tokens);
const ast = @import("./ast.zig"); const ast = @import("ast.zig");
pub const TokenType = enum(u32) { pub const TokenType = enum(u32) {
type, type,

View File

@ -1,12 +1,12 @@
const std = @import("std"); const std = @import("std");
const analysis = @import("./analysis.zig"); const analysis = @import("analysis.zig");
const offsets = @import("./offsets.zig"); const offsets = @import("offsets.zig");
const DocumentStore = @import("./DocumentStore.zig"); const DocumentStore = @import("DocumentStore.zig");
const types = @import("./types.zig"); const types = @import("types.zig");
const Ast = std.zig.Ast; const Ast = std.zig.Ast;
const Token = std.zig.Token; const Token = std.zig.Token;
const identifierFromPosition = @import("./main.zig").identifierFromPosition; const identifierFromPosition = @import("main.zig").identifierFromPosition;
const ast = @import("./ast.zig"); const ast = @import("ast.zig");
fn fnProtoToSignatureInfo(document_store: *DocumentStore, arena: *std.heap.ArenaAllocator, commas: u32, skip_self_param: bool, handle: *DocumentStore.Handle, fn_node: Ast.Node.Index, proto: Ast.full.FnProto) !types.SignatureInformation { fn fnProtoToSignatureInfo(document_store: *DocumentStore, arena: *std.heap.ArenaAllocator, commas: u32, skip_self_param: bool, handle: *DocumentStore.Handle, fn_node: Ast.Node.Index, proto: Ast.full.FnProto) !types.SignatureInformation {
const ParameterInformation = types.SignatureInformation.ParameterInformation; const ParameterInformation = types.SignatureInformation.ParameterInformation;

View File

@ -1,8 +1,8 @@
const std = @import("std"); const std = @import("std");
const analysis = @import("./analysis.zig"); const analysis = @import("analysis.zig");
const types = @import("./types.zig"); const types = @import("types.zig");
const offsets = @import("./offsets.zig"); const offsets = @import("offsets.zig");
const URI = @import("./uri.zig"); const URI = @import("uri.zig");
const allocator = std.testing.allocator; const allocator = std.testing.allocator;