Skip to content

Commit 841d1b9

Browse files
authoredOct 26, 2020
support python3.9 and pydantic 1.7 (#214)
* support python3.9 and pydantic 1.7 * linting * uprev mypy
1 parent b8dd9ee commit 841d1b9

File tree

7 files changed

+66
-8
lines changed

7 files changed

+66
-8
lines changed
 

‎.github/workflows/ci.yml

+1-1
Original file line numberDiff line numberDiff line change
@@ -15,7 +15,7 @@ jobs:
1515
fail-fast: false
1616
matrix:
1717
os: [ubuntu]
18-
python-version: ['3.6', '3.7', '3.8']
18+
python-version: ['3.6', '3.7', '3.8', '3.9']
1919

2020
env:
2121
PYTHON: ${{ matrix.python-version }}

‎arq/connections.py

+27-3
Original file line numberDiff line numberDiff line change
@@ -1,15 +1,17 @@
11
import asyncio
22
import functools
33
import logging
4+
import ssl
45
from dataclasses import dataclass
56
from datetime import datetime, timedelta
67
from operator import attrgetter
7-
from ssl import SSLContext
8-
from typing import Any, Callable, List, Optional, Tuple, Union
8+
from typing import Any, Callable, Generator, List, Optional, Tuple, Union
9+
from urllib.parse import urlparse
910
from uuid import uuid4
1011

1112
import aioredis
1213
from aioredis import MultiExecError, Redis
14+
from pydantic.validators import make_arbitrary_type_validator
1315

1416
from .constants import default_queue_name, job_key_prefix, result_key_prefix
1517
from .jobs import Deserializer, Job, JobDef, JobResult, Serializer, deserialize_job, serialize_job
@@ -18,6 +20,16 @@
1820
logger = logging.getLogger('arq.connections')
1921

2022

23+
class SSLContext(ssl.SSLContext):
24+
"""
25+
Required to avoid problems with
26+
"""
27+
28+
@classmethod
29+
def __get_validators__(cls) -> Generator[Callable[..., Any], None, None]:
30+
yield make_arbitrary_type_validator(ssl.SSLContext)
31+
32+
2133
@dataclass
2234
class RedisSettings:
2335
"""
@@ -38,8 +50,20 @@ class RedisSettings:
3850
sentinel: bool = False
3951
sentinel_master: str = 'mymaster'
4052

53+
@classmethod
54+
def from_dsn(cls, dsn: str) -> 'RedisSettings':
55+
conf = urlparse(dsn)
56+
assert conf.scheme in {'redis', 'rediss'}, 'invalid DSN scheme'
57+
return RedisSettings(
58+
host=conf.hostname or 'localhost',
59+
port=conf.port or 6379,
60+
ssl=conf.scheme == 'rediss',
61+
password=conf.password,
62+
database=int((conf.path or '0').strip('/')),
63+
)
64+
4165
def __repr__(self) -> str:
42-
return '<RedisSettings {}>'.format(' '.join(f'{k}={v}' for k, v in self.__dict__.items()))
66+
return 'RedisSettings({})'.format(', '.join(f'{k}={v!r}' for k, v in self.__dict__.items()))
4367

4468

4569
# extra time after the job is expected to start when the job key should expire, 1 day in ms

‎docs/requirements.txt

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,4 @@
11
docutils==0.14
2-
Pygments==2.3.1
2+
Pygments==2.7.2
33
Sphinx==2.0.1
44
sphinxcontrib-websupport==1.1.0

‎requirements.txt

+2
Original file line numberDiff line numberDiff line change
@@ -1,2 +1,4 @@
11
-r docs/requirements.txt
22
-r tests/requirements.txt
3+
4+
pydantic==1.7

‎setup.py

+1
Original file line numberDiff line numberDiff line change
@@ -34,6 +34,7 @@
3434
'Programming Language :: Python :: 3.6',
3535
'Programming Language :: Python :: 3.7',
3636
'Programming Language :: Python :: 3.8',
37+
'Programming Language :: Python :: 3.9',
3738
'Topic :: Internet',
3839
'Topic :: Software Development :: Libraries :: Python Modules',
3940
'Topic :: System :: Clustering',

‎tests/requirements.txt

+1-1
Original file line numberDiff line numberDiff line change
@@ -4,7 +4,7 @@ flake8==3.7.9
44
flake8-quotes==3
55
isort==4.3.21
66
msgpack==0.6.1
7-
mypy==0.770
7+
mypy==0.790
88
pycodestyle==2.5.0
99
pyflakes==2.1.1
1010
pytest==5.3.5

‎tests/test_utils.py

+33-2
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,7 @@
33
from datetime import timedelta
44

55
import pytest
6+
from pydantic import BaseModel, validator
67

78
import arq.typing
89
import arq.utils
@@ -13,8 +14,8 @@ def test_settings_changed():
1314
settings = RedisSettings(port=123)
1415
assert settings.port == 123
1516
assert (
16-
'<RedisSettings host=localhost port=123 database=0 password=None ssl=None conn_timeout=1 conn_retries=5 '
17-
'conn_retry_delay=1 sentinel=False sentinel_master=mymaster>'
17+
"RedisSettings(host='localhost', port=123, database=0, password=None, ssl=None, conn_timeout=1, "
18+
"conn_retries=5, conn_retry_delay=1, sentinel=False, sentinel_master='mymaster')"
1819
) == str(settings)
1920

2021

@@ -94,3 +95,33 @@ def test_to_seconds(input, output):
9495

9596
def test_typing():
9697
assert 'OptionType' in arq.typing.__all__
98+
99+
100+
def test_redis_settings_validation():
101+
class Settings(BaseModel):
102+
redis_settings: RedisSettings
103+
104+
@validator('redis_settings', always=True, pre=True)
105+
def parse_redis_settings(cls, v):
106+
if isinstance(v, str):
107+
return RedisSettings.from_dsn(v)
108+
else:
109+
return v
110+
111+
s1 = Settings(redis_settings='redis://foobar:123/4')
112+
assert s1.redis_settings.host == 'foobar'
113+
assert s1.redis_settings.host == 'foobar'
114+
assert s1.redis_settings.port == 123
115+
assert s1.redis_settings.database == 4
116+
assert s1.redis_settings.ssl is False
117+
118+
s2 = Settings(redis_settings={'host': 'testing.com'})
119+
assert s2.redis_settings.host == 'testing.com'
120+
assert s2.redis_settings.port == 6379
121+
122+
with pytest.raises(ValueError, match='instance of SSLContext expected'):
123+
Settings(redis_settings={'ssl': 123})
124+
125+
s3 = Settings(redis_settings={'ssl': True})
126+
assert s3.redis_settings.host == 'localhost'
127+
assert s3.redis_settings.ssl is True

0 commit comments

Comments
 (0)