Skip to content

Commit d911eac

Browse files
committed
Support HTTP BasicAuth for authentication if $AUTH_USER is set
1 parent f4f0265 commit d911eac

File tree

6 files changed

+50
-2
lines changed

6 files changed

+50
-2
lines changed

src/node/cli.ts

+10
Original file line numberDiff line numberDiff line change
@@ -12,6 +12,7 @@ export enum Feature {
1212

1313
export enum AuthType {
1414
Password = "password",
15+
HttpBasic = "http-basic",
1516
None = "none",
1617
}
1718

@@ -65,6 +66,7 @@ export interface UserProvidedCodeArgs {
6566
export interface UserProvidedArgs extends UserProvidedCodeArgs {
6667
config?: string
6768
auth?: AuthType
69+
"auth-user"?: string
6870
password?: string
6971
"hashed-password"?: string
7072
cert?: OptionalString
@@ -137,6 +139,10 @@ export type Options<T> = {
137139

138140
export const options: Options<Required<UserProvidedArgs>> = {
139141
auth: { type: AuthType, description: "The type of authentication to use." },
142+
"auth-user": {
143+
type: "string",
144+
description: "The username for http-basic authentication."
145+
},
140146
password: {
141147
type: "string",
142148
description: "The password for password authentication (can only be passed in via $PASSWORD or the config file).",
@@ -569,6 +575,10 @@ export async function setDefaults(cliArgs: UserProvidedArgs, configArgs?: Config
569575
if (process.env.PASSWORD) {
570576
args.password = process.env.PASSWORD
571577
}
578+
if (process.env.AUTH_USER) {
579+
args["auth"] = AuthType.HttpBasic
580+
args["auth-user"] = process.env.AUTH_USER
581+
}
572582

573583
if (process.env.CS_DISABLE_FILE_DOWNLOADS?.match(/^(1|true)$/)) {
574584
args["disable-file-downloads"] = true

src/node/http.ts

+22
Original file line numberDiff line numberDiff line change
@@ -111,6 +111,25 @@ export const ensureAuthenticated = async (
111111
}
112112
}
113113

114+
/**
115+
* Validate basic auth credentials.
116+
*/
117+
const validateBasicAuth = (authHeader: string | undefined, authUser: string | undefined, authPassword: string | undefined): boolean => {
118+
if (!authHeader?.startsWith('Basic ')) {
119+
return false;
120+
}
121+
122+
try {
123+
const base64Credentials = authHeader.split(' ')[1];
124+
const credentials = Buffer.from(base64Credentials, 'base64').toString('utf-8');
125+
const [username, password] = credentials.split(':');
126+
return username === authUser && password === authPassword;
127+
} catch (error) {
128+
logger.error('Error validating basic auth:' + error);
129+
return false;
130+
}
131+
};
132+
114133
/**
115134
* Return true if authenticated via cookies.
116135
*/
@@ -132,6 +151,9 @@ export const authenticated = async (req: express.Request): Promise<boolean> => {
132151

133152
return await isCookieValid(isCookieValidArgs)
134153
}
154+
case AuthType.HttpBasic: {
155+
return validateBasicAuth(req.headers.authorization, req.args["auth-user"], req.args.password);
156+
}
135157
default: {
136158
throw new Error(`Unsupported auth type ${req.args.auth}`)
137159
}

src/node/main.ts

+4
Original file line numberDiff line numberDiff line change
@@ -142,6 +142,10 @@ export const runCodeServer = async (
142142
} else {
143143
logger.info(` - Using password from ${args.config}`)
144144
}
145+
} else if (args.auth === AuthType.HttpBasic) {
146+
logger.info(" - HTTP basic authentication is enabled")
147+
logger.info(" - Using user from $AUTH_USER")
148+
logger.info(" - Using password from $PASSWORD")
145149
} else {
146150
logger.info(" - Authentication is disabled")
147151
}

src/node/routes/domainProxy.ts

+5
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,7 @@ import { HttpCode, HttpError } from "../../common/http"
33
import { getHost, ensureProxyEnabled, authenticated, ensureAuthenticated, ensureOrigin, redirect, self } from "../http"
44
import { proxy } from "../proxy"
55
import { Router as WsRouter } from "../wsRouter"
6+
import { AuthType } from "../cli"
67

78
export const router = Router()
89

@@ -78,6 +79,10 @@ router.all(/.*/, async (req, res, next) => {
7879
if (/\/login\/?/.test(req.path)) {
7980
return next()
8081
}
82+
// If auth is HttpBasic, return a 401.
83+
if (req.args.auth === AuthType.HttpBasic) {
84+
throw new HttpError("Unauthorized", HttpCode.Unauthorized)
85+
}
8186
// Redirect all other pages to the login.
8287
const to = self(req)
8388
return redirect(req, res, "login", {

src/node/routes/pathProxy.ts

+2-1
Original file line numberDiff line numberDiff line change
@@ -4,6 +4,7 @@ import * as pluginapi from "../../../typings/pluginapi"
44
import { HttpCode, HttpError } from "../../common/http"
55
import { ensureProxyEnabled, authenticated, ensureAuthenticated, ensureOrigin, redirect, self } from "../http"
66
import { proxy as _proxy } from "../proxy"
7+
import { AuthType } from "../cli"
78

89
const getProxyTarget = (
910
req: Request,
@@ -28,7 +29,7 @@ export async function proxy(
2829

2930
if (!(await authenticated(req))) {
3031
// If visiting the root (/:port only) redirect to the login page.
31-
if (!req.params.path || req.params.path === "/") {
32+
if ((!req.params.path || req.params.path === "/") && req.args.auth !== AuthType.HttpBasic) {
3233
const to = self(req)
3334
return redirect(req, res, "login", {
3435
to: to !== "/" ? to : undefined,

src/node/routes/vscode.ts

+7-1
Original file line numberDiff line numberDiff line change
@@ -7,12 +7,13 @@ import * as net from "net"
77
import * as path from "path"
88
import { WebsocketRequest } from "../../../typings/pluginapi"
99
import { logError } from "../../common/util"
10-
import { CodeArgs, toCodeArgs } from "../cli"
10+
import { AuthType, CodeArgs, toCodeArgs } from "../cli"
1111
import { isDevMode, vsRootPath } from "../constants"
1212
import { authenticated, ensureAuthenticated, ensureOrigin, redirect, replaceTemplates, self } from "../http"
1313
import { SocketProxyProvider } from "../socket"
1414
import { isFile } from "../util"
1515
import { Router as WsRouter } from "../wsRouter"
16+
import { HttpCode, HttpError } from "../../common/http"
1617

1718
export const router = express.Router()
1819

@@ -118,6 +119,11 @@ router.get("/", ensureVSCodeLoaded, async (req, res, next) => {
118119
const FOLDER_OR_WORKSPACE_WAS_CLOSED = req.query.ew
119120

120121
if (!isAuthenticated) {
122+
// If auth is HttpBasic, return a 401.
123+
if (req.args.auth === AuthType.HttpBasic) {
124+
res.setHeader('WWW-Authenticate', 'Basic realm="Access to the site"')
125+
throw new HttpError("Unauthorized", HttpCode.Unauthorized)
126+
};
121127
const to = self(req)
122128
return redirect(req, res, "login", {
123129
to: to !== "/" ? to : undefined,

0 commit comments

Comments
 (0)