-
-
Notifications
You must be signed in to change notification settings - Fork 1.7k
libstore/filetransfer: add support for MTLS authentication #13030
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Open
vlaci
wants to merge
3
commits into
NixOS:master
Choose a base branch
from
vlaci:mtls-auth
base: master
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Open
Changes from all commits
Commits
Show all changes
3 commits
Select commit
Hold shift + click to select a range
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,13 @@ | ||
--- | ||
synopsis: Support substituters using mTLS (client certificate) authentication | ||
issues: [] | ||
prs: [13030] | ||
--- | ||
|
||
Added support for `ssl-cert` and `ssl-key` options in substituter URLs. | ||
|
||
Example: | ||
|
||
https://substituter.invalid?ssl-cert=/path/to/cert.pem&ssl-key=/path/to/key.pem | ||
|
||
When these options are configured, Nix will use this certificate/private key pair to authenticate to the server. |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,103 @@ | ||
#!/usr/bin/env python3 | ||
import http.server | ||
import ssl | ||
import socketserver | ||
import sys | ||
import os | ||
import argparse | ||
from typing import Any | ||
|
||
class NixCacheHandler(http.server.BaseHTTPRequestHandler): | ||
protocol_version: str = 'HTTP/1.1' | ||
|
||
def do_GET(self) -> None: | ||
# Get client certificate information | ||
try: | ||
client_cert: dict[str, Any] | None = self.request.getpeercert() | ||
except Exception as e: | ||
print(f"Error getting client certificate: {e}", file=sys.stderr) | ||
self.send_error(403, "Invalid client certificate") | ||
return | ||
|
||
if not client_cert: | ||
self.send_error(403, "No client certificate provided") | ||
return | ||
|
||
# Additional validation - check if certificate chain is valid | ||
subject: tuple[tuple[tuple[str, str], ...], ...] | None = client_cert.get('subject') | ||
if not subject: | ||
self.send_error(403, "Invalid client certificate: No subject") | ||
return | ||
|
||
# Log client info | ||
print(f"Client connected: {subject}", file=sys.stderr) | ||
print(f"Path requested: {self.path}", file=sys.stderr) | ||
|
||
# Handle nix-cache-info endpoint | ||
if self.path == '/nix-cache-info': | ||
self.send_response(200) | ||
self.send_header('Content-Type', 'text/plain') | ||
self.send_header('Connection', 'close') # Explicitly close after response | ||
test_root: str | None = os.environ.get('TEST_ROOT') | ||
if not test_root: | ||
store_root: str = '/nix/store' | ||
else: | ||
store_root = os.path.join(test_root, 'store') | ||
|
||
# Nix cache info format | ||
cache_info: str = f"""StoreDir: {store_root} | ||
WantMassQuery: 1 | ||
Priority: 30 | ||
""" | ||
self.send_header('Content-Length', str(len(cache_info))) | ||
self.end_headers() | ||
self.wfile.write(cache_info.encode()) | ||
self.wfile.flush() # Ensure data is sent | ||
|
||
# Handle .narinfo requests | ||
elif self.path.endswith('.narinfo'): | ||
# Return 404 for all narinfo requests (empty cache) | ||
self.send_response(404) | ||
self.send_header('Content-Length', '0') | ||
self.send_header('Connection', 'close') | ||
self.end_headers() | ||
|
||
else: | ||
self.send_response(404) | ||
self.send_header('Content-Length', '0') | ||
self.send_header('Connection', 'close') | ||
self.end_headers() | ||
|
||
def log_message(self, format: str, *args: Any) -> None: | ||
# Suppress standard logging | ||
pass | ||
|
||
def run_server(port: int, certfile: str, keyfile: str, ca_certfile: str) -> None: | ||
# Create SSL context | ||
context: ssl.SSLContext = ssl.create_default_context(ssl.Purpose.CLIENT_AUTH) | ||
context.load_cert_chain(certfile=certfile, keyfile=keyfile) | ||
context.verify_mode = ssl.VerifyMode.CERT_REQUIRED | ||
context.check_hostname = False # We're not checking hostnames for client certs | ||
context.load_verify_locations(cafile=ca_certfile) | ||
|
||
# Create and start server | ||
httpd: socketserver.TCPServer = socketserver.TCPServer(('localhost', port), NixCacheHandler) | ||
httpd.socket = context.wrap_socket(httpd.socket, server_side=True) | ||
|
||
print(f"Server running on port {port}", file=sys.stderr) | ||
|
||
try: | ||
httpd.serve_forever() | ||
except KeyboardInterrupt: | ||
httpd.shutdown() | ||
|
||
if __name__ == "__main__": | ||
parser: argparse.ArgumentParser = argparse.ArgumentParser(description='Nix binary cache server with SSL client verification') | ||
parser.add_argument('--port', type=int, default=8443, help='Port to listen on') | ||
parser.add_argument('--cert', required=True, help='Server certificate file') | ||
parser.add_argument('--key', required=True, help='Server private key file') | ||
parser.add_argument('--ca-cert', required=True, help='CA certificate for client verification') | ||
|
||
args: argparse.Namespace = parser.parse_args() | ||
|
||
run_server(args.port, args.cert, args.key, args.ca_cert) |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,106 @@ | ||
#!/usr/bin/env bash | ||
|
||
# shellcheck source=common.sh | ||
source common.sh | ||
|
||
# These are not installed in vm_tests | ||
[[ $(type -p curl) ]] || skipTest "curl is not installed" | ||
[[ $(type -p openssl) ]] || skipTest "openssl is not installed" | ||
[[ $(type -p python3) ]] || skipTest "python3 is not installed" | ||
|
||
# Generate test certificates using EC keys for faster generation | ||
|
||
# Generate CA with EC key | ||
openssl ecparam -genkey -name prime256v1 -out "$TEST_ROOT/ca.key" 2>/dev/null | ||
openssl req -new -x509 -days 1 -key "$TEST_ROOT/ca.key" -out "$TEST_ROOT/ca.crt" \ | ||
-subj "/C=US/ST=Test/L=Test/O=TestCA/CN=Test CA" 2>/dev/null | ||
|
||
# Generate server certificate with EC key | ||
openssl ecparam -genkey -name prime256v1 -out "$TEST_ROOT/server.key" 2>/dev/null | ||
openssl req -new -key "$TEST_ROOT/server.key" -out "$TEST_ROOT/server.csr" \ | ||
-subj "/C=US/ST=Test/L=Test/O=TestServer/CN=localhost" 2>/dev/null | ||
openssl x509 -req -days 1 -in "$TEST_ROOT/server.csr" -CA "$TEST_ROOT/ca.crt" -CAkey "$TEST_ROOT/ca.key" \ | ||
-set_serial 01 -out "$TEST_ROOT/server.crt" 2>/dev/null | ||
|
||
# Generate client certificate with EC key | ||
openssl ecparam -genkey -name prime256v1 -out "$TEST_ROOT/client.key" 2>/dev/null | ||
openssl req -new -key "$TEST_ROOT/client.key" -out "$TEST_ROOT/client.csr" \ | ||
-subj "/C=US/ST=Test/L=Test/O=TestClient/CN=Nix Test Client" 2>/dev/null | ||
openssl x509 -req -days 1 -in "$TEST_ROOT/client.csr" -CA "$TEST_ROOT/ca.crt" -CAkey "$TEST_ROOT/ca.key" \ | ||
-set_serial 02 -out "$TEST_ROOT/client.crt" 2>/dev/null | ||
|
||
# Find a free port | ||
PORT=$(python3 -c 'import socket; s=socket.socket(); s.bind(("", 0)); print(s.getsockname()[1]); s.close()') \ | ||
|| skipTest "Cannot bind to a TCP port" | ||
|
||
# Start the SSL cache server | ||
python3 "${_NIX_TEST_SOURCE_DIR}/nix-binary-cache-ssl-server.py" \ | ||
--port "$PORT" \ | ||
--cert "$TEST_ROOT/server.crt" \ | ||
--key "$TEST_ROOT/server.key" \ | ||
--ca-cert "$TEST_ROOT/ca.crt" & | ||
SERVER_PID=$! | ||
|
||
# Function to stop server on exit | ||
stopServer() { | ||
kill "$SERVER_PID" 2>/dev/null || true | ||
wait "$SERVER_PID" 2>/dev/null || true | ||
} | ||
trap stopServer EXIT | ||
|
||
tries=0 | ||
while ! curl -v -s -k --cert "$TEST_ROOT/client.crt" --key "$TEST_ROOT/client.key" \ | ||
"https://localhost:$PORT/nix-cache-info"; do | ||
if (( tries++ >= 50 )); then | ||
if kill -0 "$SERVER_PID" 2>/dev/null; then | ||
echo "Server started but did not respond in time" >&2 | ||
else | ||
echo "Server failed to start" >&2 | ||
fi | ||
exit 1 | ||
fi | ||
sleep 0.1 | ||
done | ||
|
||
# Test 1: Verify server rejects connections without client certificate | ||
echo "Testing connection without client certificate (should fail)..." >&2 | ||
if curl -s -k "https://localhost:$PORT/nix-cache-info" 2>&1 | grep -q "certificate required"; then | ||
echo "FAIL: Server should have rejected connection" >&2 | ||
exit 1 | ||
fi | ||
|
||
# Test 2: Verify server accepts connections with client certificate | ||
echo "Testing connection with client certificate..." >&2 | ||
RESPONSE=$(curl -v -s -k --cert "$TEST_ROOT/client.crt" --key "$TEST_ROOT/client.key" \ | ||
"https://localhost:$PORT/nix-cache-info") | ||
|
||
if ! echo "$RESPONSE" | grepQuiet "StoreDir: "; then | ||
echo "FAIL: Server should have accepted client certificate: $RESPONSE" >&2 | ||
exit 1 | ||
fi | ||
|
||
# Test 3: Test Nix with SSL client certificate parameters | ||
# Set up substituter URL with SSL parameters | ||
sslCache="https://localhost:$PORT?ssl-cert=$TEST_ROOT/client.crt&ssl-key=$TEST_ROOT/client.key" | ||
|
||
# Configure Nix to trust our CA | ||
export NIX_SSL_CERT_FILE="$TEST_ROOT/ca.crt" | ||
|
||
# Test nix store info | ||
nix store info --store "$sslCache" --json | jq -e '.url' | grepQuiet "https://localhost:$PORT" | ||
|
||
# Test 4: Verify incorrect client certificate is rejected | ||
# Generate a different client cert not signed by our CA (also using EC) | ||
openssl ecparam -genkey -name prime256v1 -out "$TEST_ROOT/wrong.key" 2>/dev/null | ||
openssl req -new -x509 -days 1 -key "$TEST_ROOT/wrong.key" -out "$TEST_ROOT/wrong.crt" \ | ||
-subj "/C=US/ST=Test/L=Test/O=Wrong/CN=Wrong Client" 2>/dev/null | ||
|
||
wrongCache="https://localhost:$PORT?ssl-cert=$TEST_ROOT/wrong.crt&ssl-key=$TEST_ROOT/wrong.key" | ||
|
||
rm -rf "$TEST_HOME" | ||
|
||
# This should fail | ||
if nix store info --download-attempts 0 --store "$wrongCache"; then | ||
echo "FAIL: Should have rejected wrong certificate" >&2 | ||
exit 1 | ||
fi |
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
Uh oh!
There was an error while loading. Please reload this page.