
Security News
Open Source Maintainers Demand Ability to Block Copilot-Generated Issues and PRs
Open source maintainers are urging GitHub to let them block Copilot from submitting AI-generated issues and pull requests to their repositories.
dockerfile-language-server-nodejs
Advanced tools
A language server for Dockerfiles powered by NodeJS, TypeScript, and VSCode technologies.
This is a language server for Dockerfiles powered by Node.js written in TypeScript. To build or to install this language server, you will need to have Node.js installed on your computer.
Supported features:
Projects that use this language server:
To build and compile this language server, please run the following commands after cloning the repository with Git.
npm install
npm run build
npm test
If you are planning to change the code, use npm run watch
to get the
TypeScript files transpiled on-the-fly as they are modified.
Once the code has finished compiling, you can connect a language server client to the server via Node IPC, stdio, or sockets.
To install this language server onto your computer, please install the
dockerfile-language-server-nodejs npm module.
The -g
flag will install the npm module globally onto your computer.
npm install -g dockerfile-language-server-nodejs
After the installation has completed, you can start the language
server with the docker-langserver
binary. You should specify
the desired method of communciating with the language server via one
of the three arguments shown below.
docker-langserver --node-ipc
docker-langserver --stdio
docker-langserver --socket=<port>
Clients may send a workspace/didChangeConfiguration
notification to
notify the server of settings changes.
The settings object that will be included with the notification must conform to the following specification.
interface Settings {
docker: {
languageserver: {
diagnostics?: {
// string values must be equal to "ignore", "warning", or "error"
deprecatedMaintainer?: string,
directiveCasing?: string,
emptyContinuationLine?: string,
instructionCasing?: string,
instructionCmdMultiple?: string,
instructionEntrypointMultiple?: string
instructionHealthcheckMultiple?: string
}
}
}
}
With the child_process
API, you can fork()
a new Node.js process
running the language server and communicate with it using send(message)
and on('message', ...)
.
import * as child_process from "child_process";
let lspProcess = child_process.fork("out/src/server.js", [ "--node-ipc" ]);
let messageId = 1;
function send(method: string, params: object) {
let message = {
jsonrpc: "2.0",
id: messageId++,
method: method,
params: params
};
lspProcess.send(message);
}
function initialize() {
send("initialize", {
rootPath: process.cwd(),
processId: process.pid,
capabilities: {
/* ... */
}
});
}
lspProcess.on('message', function (json) {
console.log(json);
});
initialize();
When writing directly to the process's stdin, the additional Content-Length
header must be included. Similarly, when reading from the process's stdout, the
header will be included in the response message.
import * as child_process from "child_process";
let lspProcess = child_process.spawn("node", [ "out/src/server.js", "--stdio" ]);
let messageId = 1;
function send(method: string, params: object) {
let message = {
jsonrpc: "2.0",
id: messageId++,
method: method,
params: params
};
let json = JSON.stringify(message);
let headers = "Content-Length: " + json.length + "\r\n\r\n";
lspProcess.stdin.write(headers, "ASCII");
lspProcess.stdin.write(json, "UTF-8");
}
function initialize() {
send("initialize", {
rootPath: process.cwd(),
processId: process.pid,
capabilities: {
/* ... */
}
});
}
lspProcess.stdout.on("data", (message) => {
// "Content-Length: ...\r\n\r\n\" will be included here
console.log(message.toString());
});
initialize();
The StreamMessageReader
and StreamMessageWriter
classes from the
vscode-jsonrpc
module will handle the Content-Length
headers for you so you
only have to worry about the actual request and response.
import * as child_process from "child_process";
import { StreamMessageReader, StreamMessageWriter } from "vscode-jsonrpc";
let lspProcess = child_process.spawn("node", [ "out/src/server.js", "--stdio" ]);
let messageId = 1;
const reader = new StreamMessageReader(lspProcess.stdout);
const writer = new StreamMessageWriter(lspProcess.stdin);
function send(method: string, params: object) {
let message = {
jsonrpc: "2.0",
id: messageId++,
method: method,
params: params
};
writer.write(message);
}
function initialize() {
send("initialize", {
rootPath: process.cwd(),
processId: process.pid,
capabilities: {
/* ... */
}
});
}
reader.listen((data) => {
console.log(data);
})
initialize();
To communicate with the langauge server via a socket, a port must be opened up first to listen for incoming connections. After the port is opened, the language server may be started and told to connect to the specified port. Messages can then be read from and written to the socket.
Just like when trying to communicate to the server using
stdio, the Content-Length
headers must be written
and parsed explicitly.
import * as net from "net"
import * as child_process from "child_process"
let messageId = 1;
function send(socket: net.Socket, method: string, params: object) {
let message = {
jsonrpc: "2.0",
id: messageId++,
method: method,
params: params
};
let json = JSON.stringify(message) + "\n";
let headers = "Content-Length: " + json.length + "\r\n\r\n";
socket.write(headers, "ASCII");
socket.write(json, "UTF-8");
}
function initialize(socket: net.Socket) {
send(socket, "initialize", {
rootPath: process.cwd(),
processId: process.pid,
capabilities: {
textDocument: {
/* ... */
},
workspace: {
/* ... */
}
}
});
}
const server = net.createServer((socket: net.Socket) => {
server.close();
socket.on("data", (message) => {
// "Content-Length: ...\r\n\r\n\" will be included here
console.log(message.toString());
});
initialize(socket);
});
server.listen(3000, () => {
child_process.spawn("node", [ "out/src/server.js", "--socket=3000" ]);
});
The SocketMessageReader
and SocketMessageWriter
classes from the
vscode-jsonrpc
module will handle the Content-Length
headers for you so you
only have to worry about the actual request and response.
import * as net from "net"
import * as child_process from "child_process"
import { SocketMessageReader, SocketMessageWriter } from "vscode-jsonrpc";
let messageId = 1;
let reader: SocketMessageReader = null;
let writer: SocketMessageWriter = null;
function send(method: string, params: object) {
let message = {
jsonrpc: "2.0",
id: messageId++,
method: method,
params: params
};
writer.write(message);
}
function initialize() {
send("initialize", {
rootPath: process.cwd(),
processId: process.pid,
capabilities: {
textDocument: {
/* ... */
},
workspace: {
/* ... */
}
}
});
}
const server = net.createServer((socket: net.Socket) => {
server.close();
reader = new SocketMessageReader(socket);
reader.listen((data) => {
console.log(data);
});
writer = new SocketMessageWriter(socket);
initialize();
});
server.listen(3000, () => {
child_process.spawn("node", [ "out/src/server.js", "--socket=3000" ]);
});
[0.0.10] - 2017-10-23
FAQs
A language server for Dockerfiles powered by NodeJS, TypeScript, and VSCode technologies.
The npm package dockerfile-language-server-nodejs receives a total of 5,059 weekly downloads. As such, dockerfile-language-server-nodejs popularity was classified as popular.
We found that dockerfile-language-server-nodejs demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Security News
Open source maintainers are urging GitHub to let them block Copilot from submitting AI-generated issues and pull requests to their repositories.
Research
Security News
Malicious Koishi plugin silently exfiltrates messages with hex strings to a hardcoded QQ account, exposing secrets in chatbots across platforms.
Research
Security News
Malicious PyPI checkers validate stolen emails against TikTok and Instagram APIs, enabling targeted account attacks and dark web credential sales.