Skip to content

Commit 4682dac

Browse files
blink1073zaif-yuval
authored andcommitted
PYTHON-3096 Finish implementation and tests for GSSAPI options (#1985)
1 parent b3ce932 commit 4682dac

File tree

15 files changed

+213
-22
lines changed

15 files changed

+213
-22
lines changed
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,8 @@
11
#!/bin/bash
2+
set -eu
23

34
# Disable xtrace for security reasons (just in case it was accidentally set).
45
set +x
56
# Use the default python to bootstrap secrets.
6-
PYTHON_BINARY="" bash "${DRIVERS_TOOLS}"/.evergreen/auth_aws/setup_secrets.sh drivers/enterprise_auth
7+
bash "${DRIVERS_TOOLS}"/.evergreen/secrets_handling/setup-secrets.sh drivers/enterprise_auth
78
TEST_ENTERPRISE_AUTH=1 AUTH=auth bash "${PROJECT_DIRECTORY}"/.evergreen/hatch.sh test:test-eg

doc/contributors.rst

+1
Original file line numberDiff line numberDiff line change
@@ -103,3 +103,4 @@ The following is a list of people who have contributed to
103103
- Terry Patterson
104104
- Romain Morotti
105105
- Navjot Singh (navjots18)
106+
- Yuval Zaif (zaif-yuval)

pymongo/asynchronous/auth.py

+10-4
Original file line numberDiff line numberDiff line change
@@ -177,13 +177,20 @@ def _auth_key(nonce: str, username: str, password: str) -> str:
177177
return md5hash.hexdigest()
178178

179179

180-
def _canonicalize_hostname(hostname: str) -> str:
180+
def _canonicalize_hostname(hostname: str, option: str | bool) -> str:
181181
"""Canonicalize hostname following MIT-krb5 behavior."""
182182
# https://github.com/krb5/krb5/blob/d406afa363554097ac48646a29249c04f498c88e/src/util/k5test.py#L505-L520
183+
if option in [False, "none"]:
184+
return hostname
185+
183186
af, socktype, proto, canonname, sockaddr = socket.getaddrinfo(
184187
hostname, None, 0, 0, socket.IPPROTO_TCP, socket.AI_CANONNAME
185188
)[0]
186189

190+
# For forward just to resolve the cname as dns.lookup() will not return it.
191+
if option == "forward":
192+
return canonname.lower()
193+
187194
try:
188195
name = socket.getnameinfo(sockaddr, socket.NI_NAMEREQD)
189196
except socket.gaierror:
@@ -205,9 +212,8 @@ async def _authenticate_gssapi(credentials: MongoCredential, conn: AsyncConnecti
205212
props = credentials.mechanism_properties
206213
# Starting here and continuing through the while loop below - establish
207214
# the security context. See RFC 4752, Section 3.1, first paragraph.
208-
host = conn.address[0]
209-
if props.canonicalize_host_name:
210-
host = _canonicalize_hostname(host)
215+
host = props.service_host or conn.address[0]
216+
host = _canonicalize_hostname(host, props.canonicalize_host_name)
211217
service = props.service_name + "@" + host
212218
if props.service_realm is not None:
213219
service = service + "@" + props.service_realm

pymongo/asynchronous/pool.py

+21-1
Original file line numberDiff line numberDiff line change
@@ -121,6 +121,12 @@ def _set_non_inheritable_non_atomic(fd: int) -> None: # noqa: ARG001
121121
"""Dummy function for platforms that don't provide fcntl."""
122122

123123

124+
try:
125+
from python_socks import ProxyType
126+
from python_socks.sync import Proxy
127+
except ImportError:
128+
Proxy = ProxyType = None
129+
124130
_IS_SYNC = False
125131

126132
_MAX_TCP_KEEPIDLE = 120
@@ -838,7 +844,21 @@ def _create_connection(address: _Address, options: PoolOptions) -> socket.socket
838844
sock.settimeout(timeout)
839845
sock.setsockopt(socket.SOL_SOCKET, socket.SO_KEEPALIVE, True)
840846
_set_keepalive_times(sock)
841-
sock.connect(sa)
847+
if proxy := options.proxy:
848+
if Proxy is None:
849+
raise RuntimeError(
850+
"In order to use SOCKS5 proxy, python_socks must be installed. "
851+
"This can be done by re-installing pymongo with `pip install pymongo[socks]`"
852+
)
853+
proxy_host = proxy["host"]
854+
proxy_port = proxy["port"] or 1080
855+
sock.connect((proxy_host, proxy_port))
856+
proxy = Proxy(
857+
ProxyType.SOCKS5, proxy_host, proxy_port, proxy["username"], proxy["password"]
858+
)
859+
proxy.connect(sa[0], dest_port=sa[1], _socket=sock)
860+
else:
861+
sock.connect(sa)
842862
return sock
843863
except OSError as e:
844864
err = e

pymongo/asynchronous/topology.py

+1
Original file line numberDiff line numberDiff line change
@@ -967,6 +967,7 @@ def _create_pool_for_monitor(self, address: _Address) -> Pool:
967967
driver=options.driver,
968968
pause_enabled=False,
969969
server_api=options.server_api,
970+
proxy=options.proxy,
970971
)
971972

972973
return self._settings.pool_class(

pymongo/client_options.py

+10
Original file line numberDiff line numberDiff line change
@@ -170,6 +170,15 @@ def _parse_pool_options(
170170
ssl_context, tls_allow_invalid_hostnames = _parse_ssl_options(options)
171171
load_balanced = options.get("loadbalanced")
172172
max_connecting = options.get("maxconnecting", common.MAX_CONNECTING)
173+
if proxy_host := options.get("proxyHost"):
174+
proxy = {
175+
"host": proxy_host,
176+
"port": options.get("proxyPort"),
177+
"username": options.get("proxyUserName"),
178+
"password": options.get("proxyPassword"),
179+
}
180+
else:
181+
proxy = None
173182
return PoolOptions(
174183
max_pool_size,
175184
min_pool_size,
@@ -188,6 +197,7 @@ def _parse_pool_options(
188197
load_balanced=load_balanced,
189198
credentials=credentials,
190199
is_sync=is_sync,
200+
proxy=proxy,
191201
)
192202

193203

pymongo/common.py

+4
Original file line numberDiff line numberDiff line change
@@ -729,6 +729,10 @@ def validate_server_monitoring_mode(option: str, value: str) -> str:
729729
"srvmaxhosts": validate_non_negative_integer,
730730
"timeoutms": validate_timeoutms,
731731
"servermonitoringmode": validate_server_monitoring_mode,
732+
"proxyhost": validate_string,
733+
"proxyport": validate_positive_integer_or_none,
734+
"proxyusername": validate_string_or_none,
735+
"proxypassword": validate_string_or_none,
732736
}
733737

734738
# Dictionary where keys are the names of URI options specific to pymongo,

pymongo/pool_options.py

+8-1
Original file line numberDiff line numberDiff line change
@@ -312,6 +312,7 @@ class PoolOptions:
312312
"__server_api",
313313
"__load_balanced",
314314
"__credentials",
315+
"__proxy",
315316
)
316317

317318
def __init__(
@@ -334,6 +335,7 @@ def __init__(
334335
load_balanced: Optional[bool] = None,
335336
credentials: Optional[MongoCredential] = None,
336337
is_sync: Optional[bool] = True,
338+
proxy: Optional[dict] = None,
337339
):
338340
self.__max_pool_size = max_pool_size
339341
self.__min_pool_size = min_pool_size
@@ -353,7 +355,7 @@ def __init__(
353355
self.__load_balanced = load_balanced
354356
self.__credentials = credentials
355357
self.__metadata = copy.deepcopy(_METADATA)
356-
358+
self.__proxy = copy.deepcopy(proxy)
357359
if appname:
358360
self.__metadata["application"] = {"name": appname}
359361

@@ -522,3 +524,8 @@ def server_api(self) -> Optional[ServerApi]:
522524
def load_balanced(self) -> Optional[bool]:
523525
"""True if this Pool is configured in load balanced mode."""
524526
return self.__load_balanced
527+
528+
@property
529+
def proxy(self) -> Optional[dict]:
530+
"""Proxy settings, if configured"""
531+
return self.__proxy

pymongo/synchronous/auth.py

+10-4
Original file line numberDiff line numberDiff line change
@@ -174,13 +174,20 @@ def _auth_key(nonce: str, username: str, password: str) -> str:
174174
return md5hash.hexdigest()
175175

176176

177-
def _canonicalize_hostname(hostname: str) -> str:
177+
def _canonicalize_hostname(hostname: str, option: str | bool) -> str:
178178
"""Canonicalize hostname following MIT-krb5 behavior."""
179179
# https://github.com/krb5/krb5/blob/d406afa363554097ac48646a29249c04f498c88e/src/util/k5test.py#L505-L520
180+
if option in [False, "none"]:
181+
return hostname
182+
180183
af, socktype, proto, canonname, sockaddr = socket.getaddrinfo(
181184
hostname, None, 0, 0, socket.IPPROTO_TCP, socket.AI_CANONNAME
182185
)[0]
183186

187+
# For forward just to resolve the cname as dns.lookup() will not return it.
188+
if option == "forward":
189+
return canonname.lower()
190+
184191
try:
185192
name = socket.getnameinfo(sockaddr, socket.NI_NAMEREQD)
186193
except socket.gaierror:
@@ -202,9 +209,8 @@ def _authenticate_gssapi(credentials: MongoCredential, conn: Connection) -> None
202209
props = credentials.mechanism_properties
203210
# Starting here and continuing through the while loop below - establish
204211
# the security context. See RFC 4752, Section 3.1, first paragraph.
205-
host = conn.address[0]
206-
if props.canonicalize_host_name:
207-
host = _canonicalize_hostname(host)
212+
host = props.service_host or conn.address[0]
213+
host = _canonicalize_hostname(host, props.canonicalize_host_name)
208214
service = props.service_name + "@" + host
209215
if props.service_realm is not None:
210216
service = service + "@" + props.service_realm

pymongo/synchronous/pool.py

+21-1
Original file line numberDiff line numberDiff line change
@@ -121,6 +121,12 @@ def _set_non_inheritable_non_atomic(fd: int) -> None: # noqa: ARG001
121121
"""Dummy function for platforms that don't provide fcntl."""
122122

123123

124+
try:
125+
from python_socks import ProxyType
126+
from python_socks.sync import Proxy
127+
except ImportError:
128+
Proxy = ProxyType = None
129+
124130
_IS_SYNC = True
125131

126132
_MAX_TCP_KEEPIDLE = 120
@@ -836,7 +842,21 @@ def _create_connection(address: _Address, options: PoolOptions) -> socket.socket
836842
sock.settimeout(timeout)
837843
sock.setsockopt(socket.SOL_SOCKET, socket.SO_KEEPALIVE, True)
838844
_set_keepalive_times(sock)
839-
sock.connect(sa)
845+
if proxy := options.proxy:
846+
if Proxy is None:
847+
raise RuntimeError(
848+
"In order to use SOCKS5 proxy, python_socks must be installed. "
849+
"This can be done by re-installing pymongo with `pip install pymongo[socks]`"
850+
)
851+
proxy_host = proxy["host"]
852+
proxy_port = proxy["port"] or 1080
853+
sock.connect((proxy_host, proxy_port))
854+
proxy = Proxy(
855+
ProxyType.SOCKS5, proxy_host, proxy_port, proxy["username"], proxy["password"]
856+
)
857+
proxy.connect(sa[0], dest_port=sa[1], _socket=sock)
858+
else:
859+
sock.connect(sa)
840860
return sock
841861
except OSError as e:
842862
err = e

pymongo/synchronous/topology.py

+1
Original file line numberDiff line numberDiff line change
@@ -965,6 +965,7 @@ def _create_pool_for_monitor(self, address: _Address) -> Pool:
965965
driver=options.driver,
966966
pause_enabled=False,
967967
server_api=options.server_api,
968+
proxy=options.proxy,
968969
)
969970

970971
return self._settings.pool_class(

pyproject.toml

+1
Original file line numberDiff line numberDiff line change
@@ -67,6 +67,7 @@ ocsp = ["requirements/ocsp.txt"]
6767
snappy = ["requirements/snappy.txt"]
6868
test = ["requirements/test.txt"]
6969
zstd = ["requirements/zstd.txt"]
70+
socks = ["requirements/socks.txt"]
7071

7172
[tool.pytest.ini_options]
7273
minversion = "7"

requirements/socks.txt

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
python-socks[asyncio]

test/asynchronous/test_auth.py

+61-5
Original file line numberDiff line numberDiff line change
@@ -35,7 +35,7 @@
3535
import pytest
3636

3737
from pymongo import AsyncMongoClient, monitoring
38-
from pymongo.asynchronous.auth import HAVE_KERBEROS
38+
from pymongo.asynchronous.auth import HAVE_KERBEROS, _canonicalize_hostname
3939
from pymongo.auth_shared import _build_credentials_tuple
4040
from pymongo.errors import OperationFailure
4141
from pymongo.hello import HelloCompat
@@ -96,10 +96,11 @@ def setUpClass(cls):
9696
cls.service_realm_required = (
9797
GSSAPI_SERVICE_REALM is not None and GSSAPI_SERVICE_REALM not in GSSAPI_PRINCIPAL
9898
)
99-
mech_properties = f"SERVICE_NAME:{GSSAPI_SERVICE_NAME}"
100-
mech_properties += f",CANONICALIZE_HOST_NAME:{GSSAPI_CANONICALIZE}"
99+
mech_properties = dict(
100+
SERVICE_NAME=GSSAPI_SERVICE_NAME, CANONICALIZE_HOST_NAME=GSSAPI_CANONICALIZE
101+
)
101102
if GSSAPI_SERVICE_REALM is not None:
102-
mech_properties += f",SERVICE_REALM:{GSSAPI_SERVICE_REALM}"
103+
mech_properties["SERVICE_REALM"] = GSSAPI_SERVICE_REALM
103104
cls.mech_properties = mech_properties
104105

105106
async def test_credentials_hashing(self):
@@ -167,7 +168,10 @@ async def test_gssapi_simple(self):
167168
await client[GSSAPI_DB].collection.find_one()
168169

169170
# Log in using URI, with authMechanismProperties.
170-
mech_uri = uri + f"&authMechanismProperties={self.mech_properties}"
171+
mech_properties_str = ""
172+
for key, value in self.mech_properties.items():
173+
mech_properties_str += f"{key}:{value},"
174+
mech_uri = uri + f"&authMechanismProperties={mech_properties_str[:-1]}"
171175
client = self.simple_client(mech_uri)
172176
await client[GSSAPI_DB].collection.find_one()
173177

@@ -268,6 +272,58 @@ async def test_gssapi_threaded(self):
268272
thread.join()
269273
self.assertTrue(thread.success)
270274

275+
async def test_gssapi_canonicalize_host_name(self):
276+
# Test the low level method.
277+
assert GSSAPI_HOST is not None
278+
result = _canonicalize_hostname(GSSAPI_HOST, "forward")
279+
if "compute-1.amazonaws.com" not in result:
280+
self.assertEqual(result, GSSAPI_HOST)
281+
result = _canonicalize_hostname(GSSAPI_HOST, "forwardAndReverse")
282+
self.assertEqual(result, GSSAPI_HOST)
283+
284+
# Use the equivalent named CANONICALIZE_HOST_NAME.
285+
props = self.mech_properties.copy()
286+
if props["CANONICALIZE_HOST_NAME"] == "true":
287+
props["CANONICALIZE_HOST_NAME"] = "forwardAndReverse"
288+
else:
289+
props["CANONICALIZE_HOST_NAME"] = "none"
290+
client = self.simple_client(
291+
GSSAPI_HOST,
292+
GSSAPI_PORT,
293+
username=GSSAPI_PRINCIPAL,
294+
password=GSSAPI_PASS,
295+
authMechanism="GSSAPI",
296+
authMechanismProperties=props,
297+
)
298+
await client.server_info()
299+
300+
async def test_gssapi_host_name(self):
301+
props = self.mech_properties
302+
props["SERVICE_HOST"] = "example.com"
303+
304+
# Authenticate with authMechanismProperties.
305+
client = self.simple_client(
306+
GSSAPI_HOST,
307+
GSSAPI_PORT,
308+
username=GSSAPI_PRINCIPAL,
309+
password=GSSAPI_PASS,
310+
authMechanism="GSSAPI",
311+
authMechanismProperties=self.mech_properties,
312+
)
313+
with self.assertRaises(OperationFailure):
314+
await client.server_info()
315+
316+
props["SERVICE_HOST"] = GSSAPI_HOST
317+
client = self.simple_client(
318+
GSSAPI_HOST,
319+
GSSAPI_PORT,
320+
username=GSSAPI_PRINCIPAL,
321+
password=GSSAPI_PASS,
322+
authMechanism="GSSAPI",
323+
authMechanismProperties=self.mech_properties,
324+
)
325+
await client.server_info()
326+
271327

272328
class TestSASLPlain(AsyncPyMongoTestCase):
273329
@classmethod

0 commit comments

Comments
 (0)