Skip to content

Commit abfa74f

Browse files
authored
LEAN CLI will verify whether the Organization has a Security Master requirement on the Dataset page. For example, US Futures requires US Futures Security Master. If the Org. doesn't have it, LEAN CLI directs the user to the US Futures Security Master pricing page. (#378)
Tested locally with Orgs. with and without Futures Security Master, and setting and not setting the requirements ```json "requirements": { "137": "quantconnect-us-futures-security-master" }, ``` Closes #73
1 parent 88b9e3d commit abfa74f

File tree

5 files changed

+38
-27
lines changed

5 files changed

+38
-27
lines changed

lean/commands/data/download.py

+13-10
Original file line numberDiff line numberDiff line change
@@ -153,10 +153,10 @@ def _display_products(organization: QCFullOrganization, products: List[Product])
153153
logger.info(f"Organization balance: {organization.credit.balance:,.0f} QCC")
154154

155155

156-
def _get_security_master_warn() -> str:
156+
def _get_security_master_warn(url: str) -> str:
157157
return "\n".join([f"Your organization does not have an active Security Master subscription. Override the Security Master precautions will likely"
158158
f" result in inaccurate and misleading backtest results. Use this override flag at your own risk.",
159-
f"You can add the subscription at https://www.quantconnect.com/datasets/quantconnect-security-master/pricing"
159+
f"You can add the subscription at https://www.quantconnect.com/datasets/{url}/pricing"
160160
])
161161

162162

@@ -196,15 +196,16 @@ def _select_products_interactive(organization: QCFullOrganization, datasets: Lis
196196
dataset: Dataset = logger.prompt_list("Select a dataset",
197197
[Option(id=d, label=d.name) for d in available_datasets])
198198

199-
if dataset.requires_security_master and not organization.has_security_master_subscription():
199+
for id, url in dataset.requirements.items():
200+
if organization.has_security_master_subscription(id):
201+
continue
200202
if not force:
201203
logger.warn("\n".join([
202204
f"Your organization needs to have an active Security Master subscription to download data from the '{dataset.name}' dataset",
203-
f"You can add the subscription at https://www.quantconnect.com/datasets/quantconnect-security-master/pricing"
205+
f"You can add the subscription at https://www.quantconnect.com/datasets/{url}/pricing"
204206
]))
205-
continue
206207
else:
207-
logger.warn(_get_security_master_warn())
208+
logger.warn(_get_security_master_warn(url))
208209

209210
option_results = OrderedDict()
210211
for dataset_option in dataset.options:
@@ -328,14 +329,16 @@ def _select_products_non_interactive(organization: QCFullOrganization,
328329
if dataset is None:
329330
raise RuntimeError(f"There is no dataset named '{ctx.params['dataset']}'")
330331

331-
if dataset.requires_security_master and not organization.has_security_master_subscription():
332+
for id, url in dataset.requirements.items():
333+
if organization.has_security_master_subscription(id):
334+
continue
332335
if not force:
333336
raise RuntimeError("\n".join([
334337
f"Your organization needs to have an active Security Master subscription to download data from the '{dataset.name}' dataset",
335-
f"You can add the subscription at https://www.quantconnect.com/datasets/quantconnect-security-master/pricing"
338+
f"You can add the subscription at https://www.quantconnect.com/datasets/{url}/pricing"
336339
]))
337340
else:
338-
container.logger.warn(_get_security_master_warn())
341+
container.logger.warn(_get_security_master_warn(url))
339342

340343
option_results = OrderedDict()
341344
invalid_options = []
@@ -401,7 +404,7 @@ def _get_available_datasets(organization: QCFullOrganization) -> List[Dataset]:
401404
categories=[tag.name.strip() for tag in cloud_dataset.tags],
402405
options=datasource["options"],
403406
paths=datasource["paths"],
404-
requires_security_master=datasource["requiresSecurityMaster"]))
407+
requirements=datasource.get("requirements", {})))
405408

406409
return available_datasets
407410

lean/constants.py

-3
Original file line numberDiff line numberDiff line change
@@ -91,9 +91,6 @@
9191
# The interval in hours at which the CLI checks for new announcements
9292
UPDATE_CHECK_INTERVAL_ANNOUNCEMENTS = 24
9393

94-
# The product id of the Equity Security Master subscription
95-
EQUITY_SECURITY_MASTER_PRODUCT_ID = 37
96-
9794
# The product id of the Terminal Link module
9895
TERMINAL_LINK_PRODUCT_ID = 44
9996

lean/models/api.py

+4-9
Original file line numberDiff line numberDiff line change
@@ -15,7 +15,6 @@
1515
from enum import Enum
1616
from typing import Any, Dict, List, Optional, Union
1717

18-
from lean.constants import EQUITY_SECURITY_MASTER_PRODUCT_ID
1918
from lean.models.pydantic import WrappedBaseModel, validator
2019

2120

@@ -403,22 +402,18 @@ class QCFullOrganization(WrappedBaseModel):
403402
data: QCOrganizationData
404403
members: List[QCOrganizationMember]
405404

406-
def has_security_master_subscription(self) -> bool:
407-
"""Returns whether this organization has a Security Master subscription.
405+
def has_security_master_subscription(self, id: int) -> bool:
406+
"""Returns whether this organization has the Security Master subscription of a given Id
408407
408+
:param id: the Id of the Security Master Subscription
409409
:return: True if the organization has a Security Master subscription, False if not
410410
"""
411411

412-
# TODO: This sort of hardcoded product ID checking is not sufficient when we consider
413-
# multiple 'Security Master' products. Especially since they will be specific to certain datasources.
414-
# For now, simple checks for an equity "Security Master" subscription
415-
# Issue created here: https://github.com/QuantConnect/lean-cli/issues/73
416-
417412
data_products_product = next((x for x in self.products if x.name == "Data"), None)
418413
if data_products_product is None:
419414
return False
420415

421-
return any(x.productId in {EQUITY_SECURITY_MASTER_PRODUCT_ID} for x in data_products_product.items)
416+
return any(x.productId == id for x in data_products_product.items)
422417

423418

424419
class QCMinimalOrganization(WrappedBaseModel):

lean/models/data.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -283,7 +283,7 @@ class Dataset(WrappedBaseModel):
283283
categories: List[str]
284284
options: List[DatasetOption]
285285
paths: List[DatasetPath]
286-
requires_security_master: bool
286+
requirements: Dict[int, str]
287287

288288
@validator("options", pre=True)
289289
def parse_options(cls, values: List[Any]) -> List[Any]:

tests/commands/data/test_download.py

+20-4
Original file line numberDiff line numberDiff line change
@@ -46,14 +46,30 @@ def test_interactive_bulk_select():
4646
categories=["testData"],
4747
options=datasource["options"],
4848
paths=datasource["paths"],
49-
requires_security_master=datasource["requiresSecurityMaster"])]
49+
requirements=datasource.get("requirements", {}))]
5050

5151
products = _select_products_interactive(organization, testSets)
5252
# No assertion, since interactive has multiple results
5353

54+
def test_dataset_requirements():
55+
organization = create_api_organization()
56+
datasource = json.loads(bulk_datasource)
57+
testSet = Dataset(name="testSet",
58+
vendor="testVendor",
59+
categories=["testData"],
60+
options=datasource["options"],
61+
paths=datasource["paths"],
62+
requirements=datasource.get("requirements", {}))
63+
64+
for id, name in testSet.requirements.items():
65+
assert not organization.has_security_master_subscription(id)
66+
assert id==39
67+
5468
bulk_datasource="""
5569
{
56-
"requiresSecurityMaster": true,
70+
"requirements": {
71+
"39": "quantconnect-us-equity-security-master"
72+
},
5773
"options": [
5874
{
5975
"type": "select",
@@ -262,12 +278,12 @@ def test_filter_pending_datasets() -> None:
262278
str(test_datasets[0].id): {
263279
'options': [],
264280
'paths': [],
265-
'requiresSecurityMaster': True,
281+
'requirements': {},
266282
},
267283
str(test_datasets[1].id): {
268284
'options': [],
269285
'paths': [],
270-
'requiresSecurityMaster': True,
286+
'requirements': {},
271287
}
272288
}
273289
container.api_client.data.get_info = MagicMock(return_value=QCDataInformation(datasources=datasources, prices=[],

0 commit comments

Comments
 (0)