openedx-learning 0.11.2__py2.py3-none-any.whl → 0.11.4__py2.py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -1,4 +1,4 @@
1
1
  """
2
2
  Open edX Learning ("Learning Core").
3
3
  """
4
- __version__ = "0.11.2"
4
+ __version__ = "0.11.4"
@@ -3,8 +3,13 @@ Collections API (warning: UNSTABLE, in progress API)
3
3
  """
4
4
  from __future__ import annotations
5
5
 
6
+ from datetime import datetime, timezone
7
+
8
+ from django.core.exceptions import ValidationError
6
9
  from django.db.models import QuerySet
7
10
 
11
+ from ..publishing import api as publishing_api
12
+ from ..publishing.models import PublishableEntity
8
13
  from .models import Collection
9
14
 
10
15
  # The public API that will be re-exported by openedx_learning.apps.authoring.api
@@ -13,48 +18,57 @@ from .models import Collection
13
18
  # start with an underscore AND it is not in __all__, that function is considered
14
19
  # to be callable only by other apps in the authoring package.
15
20
  __all__ = [
21
+ "add_to_collection",
16
22
  "create_collection",
17
23
  "get_collection",
18
24
  "get_collections",
19
- "get_learning_package_collections",
25
+ "get_entity_collections",
26
+ "remove_from_collection",
20
27
  "update_collection",
21
28
  ]
22
29
 
23
30
 
24
31
  def create_collection(
25
32
  learning_package_id: int,
33
+ key: str,
34
+ *,
26
35
  title: str,
27
36
  created_by: int | None,
28
37
  description: str = "",
38
+ enabled: bool = True,
29
39
  ) -> Collection:
30
40
  """
31
41
  Create a new Collection
32
42
  """
33
43
  collection = Collection.objects.create(
34
44
  learning_package_id=learning_package_id,
45
+ key=key,
35
46
  title=title,
36
47
  created_by_id=created_by,
37
48
  description=description,
49
+ enabled=enabled,
38
50
  )
39
51
  return collection
40
52
 
41
53
 
42
- def get_collection(collection_id: int) -> Collection:
54
+ def get_collection(learning_package_id: int, collection_key: str) -> Collection:
43
55
  """
44
56
  Get a Collection by ID
45
57
  """
46
- return Collection.objects.get(id=collection_id)
58
+ return Collection.objects.get_by_key(learning_package_id, collection_key)
47
59
 
48
60
 
49
61
  def update_collection(
50
- collection_id: int,
62
+ learning_package_id: int,
63
+ key: str,
64
+ *,
51
65
  title: str | None = None,
52
66
  description: str | None = None,
53
67
  ) -> Collection:
54
68
  """
55
- Update a Collection
69
+ Update a Collection identified by the learning_package_id + key.
56
70
  """
57
- collection = Collection.objects.get(id=collection_id)
71
+ collection = get_collection(learning_package_id, key)
58
72
 
59
73
  # If no changes were requested, there's nothing to update, so just return
60
74
  # the Collection as-is
@@ -70,23 +84,85 @@ def update_collection(
70
84
  return collection
71
85
 
72
86
 
73
- def get_learning_package_collections(learning_package_id: int) -> QuerySet[Collection]:
87
+ def add_to_collection(
88
+ learning_package_id: int,
89
+ key: str,
90
+ entities_qset: QuerySet[PublishableEntity],
91
+ created_by: int | None = None,
92
+ ) -> Collection:
74
93
  """
75
- Get all collections for a given learning package
94
+ Adds a QuerySet of PublishableEntities to a Collection.
76
95
 
77
- Only enabled collections are returned
96
+ These Entities must belong to the same LearningPackage as the Collection, or a ValidationError will be raised.
97
+
98
+ PublishableEntities already in the Collection are silently ignored.
99
+
100
+ The Collection object's modified date is updated.
101
+
102
+ Returns the updated Collection object.
78
103
  """
79
- return Collection.objects \
80
- .filter(learning_package_id=learning_package_id, enabled=True) \
81
- .select_related("learning_package") \
82
- .order_by('pk')
104
+ # Disallow adding entities outside the collection's learning package
105
+ invalid_entity = entities_qset.exclude(learning_package_id=learning_package_id).first()
106
+ if invalid_entity:
107
+ raise ValidationError(
108
+ f"Cannot add entity {invalid_entity.pk} in learning package {invalid_entity.learning_package_id} "
109
+ f"to collection {key} in learning package {learning_package_id}."
110
+ )
111
+
112
+ collection = get_collection(learning_package_id, key)
113
+ collection.entities.add(
114
+ *entities_qset.all(),
115
+ through_defaults={"created_by_id": created_by},
116
+ )
117
+ collection.modified = datetime.now(tz=timezone.utc)
118
+ collection.save()
119
+
120
+ return collection
83
121
 
84
122
 
85
- def get_collections(enabled: bool | None = None) -> QuerySet[Collection]:
123
+ def remove_from_collection(
124
+ learning_package_id: int,
125
+ key: str,
126
+ entities_qset: QuerySet[PublishableEntity],
127
+ ) -> Collection:
86
128
  """
87
- Get all collections, optionally caller can filter by enabled flag
129
+ Removes a QuerySet of PublishableEntities from a Collection.
130
+
131
+ PublishableEntities are deleted (in bulk).
132
+
133
+ The Collection's modified date is updated (even if nothing was removed).
134
+
135
+ Returns the updated Collection.
136
+ """
137
+ collection = get_collection(learning_package_id, key)
138
+
139
+ collection.entities.remove(*entities_qset.all())
140
+ collection.modified = datetime.now(tz=timezone.utc)
141
+ collection.save()
142
+
143
+ return collection
144
+
145
+
146
+ def get_entity_collections(learning_package_id: int, entity_key: str) -> QuerySet[Collection]:
147
+ """
148
+ Get all collections in the given learning package which contain this entity.
149
+
150
+ Only enabled collections are returned.
151
+ """
152
+ entity = publishing_api.get_publishable_entity_by_key(
153
+ learning_package_id,
154
+ key=entity_key,
155
+ )
156
+ return entity.collections.filter(enabled=True).order_by("pk")
157
+
158
+
159
+ def get_collections(learning_package_id: int, enabled: bool | None = True) -> QuerySet[Collection]:
160
+ """
161
+ Get all collections for a given learning package
162
+
163
+ Enabled collections are returned by default.
88
164
  """
89
- qs = Collection.objects.all()
165
+ qs = Collection.objects.filter(learning_package_id=learning_package_id)
90
166
  if enabled is not None:
91
167
  qs = qs.filter(enabled=enabled)
92
168
  return qs.select_related("learning_package").order_by('pk')
@@ -0,0 +1,38 @@
1
+ # Generated by Django 4.2.15 on 2024-08-29 00:05
2
+
3
+ import django.db.models.deletion
4
+ from django.conf import settings
5
+ from django.db import migrations, models
6
+
7
+ import openedx_learning.lib.validators
8
+
9
+
10
+ class Migration(migrations.Migration):
11
+
12
+ dependencies = [
13
+ migrations.swappable_dependency(settings.AUTH_USER_MODEL),
14
+ ('oel_publishing', '0002_alter_learningpackage_key_and_more'),
15
+ ('oel_collections', '0002_remove_collection_name_collection_created_by_and_more'),
16
+ ]
17
+
18
+ operations = [
19
+ migrations.CreateModel(
20
+ name='CollectionPublishableEntity',
21
+ fields=[
22
+ ('id', models.BigAutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
23
+ ('created', models.DateTimeField(auto_now_add=True, validators=[openedx_learning.lib.validators.validate_utc_datetime])),
24
+ ('collection', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='oel_collections.collection')),
25
+ ('created_by', models.ForeignKey(blank=True, null=True, on_delete=django.db.models.deletion.SET_NULL, to=settings.AUTH_USER_MODEL)),
26
+ ('entity', models.ForeignKey(on_delete=django.db.models.deletion.RESTRICT, to='oel_publishing.publishableentity')),
27
+ ],
28
+ ),
29
+ migrations.AddField(
30
+ model_name='collection',
31
+ name='entities',
32
+ field=models.ManyToManyField(related_name='collections', through='oel_collections.CollectionPublishableEntity', to='oel_publishing.publishableentity'),
33
+ ),
34
+ migrations.AddConstraint(
35
+ model_name='collectionpublishableentity',
36
+ constraint=models.UniqueConstraint(fields=('collection', 'entity'), name='oel_collections_cpe_uniq_col_ent'),
37
+ ),
38
+ ]
@@ -0,0 +1,57 @@
1
+ # Generated by Django 4.2.15 on 2024-09-04 23:15
2
+
3
+ from django.db import migrations, models
4
+ from django.utils.crypto import get_random_string
5
+
6
+ import openedx_learning.lib.fields
7
+
8
+
9
+ def generate_keys(apps, schema_editor):
10
+ """
11
+ Generates a random strings to initialize the key field where NULL.
12
+ """
13
+ length = 50
14
+ Collection = apps.get_model("oel_collections", "Collection")
15
+ for collection in Collection.objects.filter(key=None):
16
+ # Keep generating keys until we get a unique one
17
+ key = get_random_string(length)
18
+ while Collection.objects.filter(key=key).exists():
19
+ key = get_random_string(length)
20
+
21
+ collection.key = key
22
+ collection.save()
23
+
24
+
25
+ class Migration(migrations.Migration):
26
+
27
+ dependencies = [
28
+ ('oel_collections', '0003_collection_entities'),
29
+ ]
30
+
31
+ operations = [
32
+ # 1. Temporarily add this field with null=True, blank=True
33
+ migrations.AddField(
34
+ model_name='collection',
35
+ name='key',
36
+ field=openedx_learning.lib.fields.MultiCollationCharField(
37
+ db_collations={'mysql': 'utf8mb4_bin', 'sqlite': 'BINARY'},
38
+ db_column='_key', max_length=500, null=True, blank=True),
39
+ preserve_default=False,
40
+ ),
41
+ # 2. Populate the null keys
42
+ migrations.RunPython(generate_keys),
43
+ # 3. Add null=False, blank=False to disallow NULL values
44
+ migrations.AlterField(
45
+ model_name='collection',
46
+ name='key',
47
+ field=openedx_learning.lib.fields.MultiCollationCharField(
48
+ db_collations={'mysql': 'utf8mb4_bin', 'sqlite': 'BINARY'},
49
+ db_column='_key', max_length=500, null=False, blank=False),
50
+ preserve_default=False,
51
+ ),
52
+ # 4. Enforce unique constraint
53
+ migrations.AddConstraint(
54
+ model_name='collection',
55
+ constraint=models.UniqueConstraint(fields=('learning_package', 'key'), name='oel_coll_uniq_lp_key'),
56
+ ),
57
+ ]
@@ -1,5 +1,68 @@
1
1
  """
2
2
  Core models for Collections
3
+
4
+ TLDR Guidelines:
5
+ 1. DO NOT modify these models to store full version snapshots.
6
+ 2. DO NOT use these models to try to reconstruct historical versions of
7
+ Collections for fast querying.
8
+
9
+ If you're trying to do either of these things, you probably want a new model or
10
+ app. For more details, read on.
11
+
12
+ The goal of these models is to provide a lightweight method of organizing
13
+ PublishableEntities. The first use case for this is modeling the structure of a
14
+ v1 Content Library within a LearningPackage. This is what we'll use the
15
+ Collection model for.
16
+
17
+ An important thing to note here is that Collections are *NOT* publishable
18
+ entities themselves. They have no "Draft" or "Published" versions. Collections
19
+ are never "published", though the things inside of them are.
20
+
21
+ When a LibraryContentBlock makes use of a Content Library, it copies all of
22
+ the items it will use into the Course itself. It will also store a version
23
+ on the LibraryContentBlock -- this is a MongoDB ObjectID in v1 and an integer in
24
+ v2 Libraries. Later on, the LibraryContentBlock will want to check back to see
25
+ if any updates have been made, using its version as a key. If a new version
26
+ exists, the course team has the option of re-copying data from the Library.
27
+
28
+ ModuleStore based v1 Libraries and Blockstore-based v2 libraries both version
29
+ the entire library in a series of snapshots. This makes it difficult to have
30
+ very large libraries, which is an explicit goal for Modular Learning. In
31
+ Learning Core, we've moved to tracking the versions of individual Components to
32
+ address this issue. But that means we no longer have a single version indicator
33
+ for "has anything here changed"?
34
+
35
+ We *could* have put that version in the ``publishing`` app's PublishLog, but
36
+ that would make it too broad. We want the ability to eventually collapse many v1
37
+ Libraries into a single Learning Core backed v2 Library. If we tracked the
38
+ versioning in only a central location, then we'd have many false positives where
39
+ the version was bumped because something else in the Learning Package changed.
40
+ So instead, we're creating a new Collection model inside the LearningPackage to
41
+ track that concept.
42
+
43
+ A critical takeaway is that we don't have to store snapshots of every version of
44
+ a Collection, because that data has been copied over by the LibraryContentBlock.
45
+ We only need to store the current state of the Collection, and increment the
46
+ version numbers when changes happen. This will allow the LibraryContentBlock to
47
+ check in and re-copy over the latest version if the course team desires.
48
+
49
+ That's why these models only store the current state of a Collection. Unlike the
50
+ ``components`` app, ``collections`` does not store fully materialized snapshots
51
+ of past versions. This is done intentionally in order to save space and reduce
52
+ the cost of writes. Collections may grow to be very large, and we don't want to
53
+ be writing N rows with every version, where N is the number of
54
+ PublishableEntities in a Collection.
55
+
56
+ MVP of these models does not store changesets, but we can add this when there's a
57
+ use case for it. The number of rows in these changesets would grow in proportion
58
+ to the number of things that are actually changing (instead of copying over
59
+ everything on every version). This is could be used to make it easier to figure out
60
+ what changed between two given versions of a Collection. A LibraryContentBlock
61
+ in a course would have stored the version number of the last time it copied data
62
+ from the Collection, and we can eventually surface this data to the user. Note that
63
+ while it may be possible to reconstruct past versions of Collections based off of
64
+ this changeset data, it's going to be a very slow process to do so, and it is
65
+ strongly discouraged.
3
66
  """
4
67
  from __future__ import annotations
5
68
 
@@ -7,25 +70,46 @@ from django.conf import settings
7
70
  from django.db import models
8
71
  from django.utils.translation import gettext_lazy as _
9
72
 
10
- from ....lib.fields import MultiCollationTextField, case_insensitive_char_field
11
- from ....lib.validators import validate_utc_datetime
12
- from ..publishing.models import LearningPackage
73
+ from openedx_learning.lib.fields import MultiCollationTextField, case_insensitive_char_field, key_field
74
+ from openedx_learning.lib.validators import validate_utc_datetime
75
+
76
+ from ..publishing.models import LearningPackage, PublishableEntity
13
77
 
14
78
  __all__ = [
15
79
  "Collection",
80
+ "CollectionPublishableEntity",
16
81
  ]
17
82
 
18
83
 
84
+ class CollectionManager(models.Manager):
85
+ """
86
+ Custom manager for Collection class.
87
+ """
88
+ def get_by_key(self, learning_package_id: int, key: str):
89
+ """
90
+ Get the Collection for the given Learning Package + key.
91
+ """
92
+ return self.select_related('learning_package') \
93
+ .get(learning_package_id=learning_package_id, key=key)
94
+
95
+
19
96
  class Collection(models.Model):
20
97
  """
21
98
  Represents a collection of library components
22
99
  """
100
+ objects: CollectionManager[Collection] = CollectionManager()
23
101
 
24
102
  id = models.AutoField(primary_key=True)
25
103
 
26
104
  # Each collection belongs to a learning package
27
105
  learning_package = models.ForeignKey(LearningPackage, on_delete=models.CASCADE)
28
106
 
107
+ # Every collection is uniquely and permanently identified within its learning package
108
+ # by a 'key' that is set during creation. Both will appear in the
109
+ # collection's opaque key:
110
+ # e.g. "lib-collection:lib:key" is the opaque key for a library collection.
111
+ key = key_field(db_column='_key')
112
+
29
113
  title = case_insensitive_char_field(
30
114
  null=False,
31
115
  blank=False,
@@ -79,8 +163,24 @@ class Collection(models.Model):
79
163
  ],
80
164
  )
81
165
 
166
+ entities: models.ManyToManyField[PublishableEntity, "CollectionPublishableEntity"] = models.ManyToManyField(
167
+ PublishableEntity,
168
+ through="CollectionPublishableEntity",
169
+ related_name="collections",
170
+ )
171
+
82
172
  class Meta:
83
173
  verbose_name_plural = "Collections"
174
+ constraints = [
175
+ # Keys are unique within a given LearningPackage.
176
+ models.UniqueConstraint(
177
+ fields=[
178
+ "learning_package",
179
+ "key",
180
+ ],
181
+ name="oel_coll_uniq_lp_key",
182
+ ),
183
+ ]
84
184
  indexes = [
85
185
  models.Index(fields=["learning_package", "title"]),
86
186
  ]
@@ -95,4 +195,43 @@ class Collection(models.Model):
95
195
  """
96
196
  User-facing string representation of a Collection.
97
197
  """
98
- return f"<{self.__class__.__name__}> ({self.id}:{self.title})"
198
+ return f"<{self.__class__.__name__}> (lp:{self.learning_package_id} {self.key}:{self.title})"
199
+
200
+
201
+ class CollectionPublishableEntity(models.Model):
202
+ """
203
+ Collection -> PublishableEntity association.
204
+ """
205
+ collection = models.ForeignKey(
206
+ Collection,
207
+ on_delete=models.CASCADE,
208
+ )
209
+ entity = models.ForeignKey(
210
+ PublishableEntity,
211
+ on_delete=models.RESTRICT,
212
+ )
213
+ created_by = models.ForeignKey(
214
+ settings.AUTH_USER_MODEL,
215
+ on_delete=models.SET_NULL,
216
+ null=True,
217
+ blank=True,
218
+ )
219
+ created = models.DateTimeField(
220
+ auto_now_add=True,
221
+ validators=[
222
+ validate_utc_datetime,
223
+ ],
224
+ )
225
+
226
+ class Meta:
227
+ constraints = [
228
+ # Prevent race conditions from making multiple rows associating the
229
+ # same Collection to the same Entity.
230
+ models.UniqueConstraint(
231
+ fields=[
232
+ "collection",
233
+ "entity",
234
+ ],
235
+ name="oel_collections_cpe_uniq_col_ent",
236
+ )
237
+ ]
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.1
2
2
  Name: openedx-learning
3
- Version: 0.11.2
3
+ Version: 0.11.4
4
4
  Summary: Open edX Learning Core and Tagging.
5
5
  Home-page: https://github.com/openedx/openedx-learning
6
6
  Author: David Ormsbee
@@ -9,7 +9,7 @@ License: AGPL 3.0
9
9
  Keywords: Python edx
10
10
  Classifier: Development Status :: 3 - Alpha
11
11
  Classifier: Framework :: Django
12
- Classifier: Framework :: Django :: 3.2
12
+ Classifier: Framework :: Django :: 4.2
13
13
  Classifier: Intended Audience :: Developers
14
14
  Classifier: License :: OSI Approved :: GNU Affero General Public License v3 or later (AGPLv3+)
15
15
  Classifier: Natural Language :: English
@@ -18,12 +18,12 @@ Classifier: Programming Language :: Python :: 3.11
18
18
  Classifier: Programming Language :: Python :: 3.12
19
19
  Requires-Python: >=3.11
20
20
  License-File: LICENSE.txt
21
- Requires-Dist: Django<5.0
22
- Requires-Dist: rules<4.0
23
21
  Requires-Dist: edx-drf-extensions
24
- Requires-Dist: djangorestframework<4.0
25
- Requires-Dist: attrs
26
22
  Requires-Dist: celery
23
+ Requires-Dist: rules<4.0
24
+ Requires-Dist: attrs
25
+ Requires-Dist: Django<5.0
26
+ Requires-Dist: djangorestframework<4.0
27
27
 
28
28
  Open edX Learning Core (and Tagging)
29
29
  ====================================
@@ -1,4 +1,4 @@
1
- openedx_learning/__init__.py,sha256=jEycplMzOABlZc9NUIkiXm-xHQUhJI-kaHVtqQ-5hDI,68
1
+ openedx_learning/__init__.py,sha256=FMXyR0DLIu3bZiyMThKBsLYaXQyU0ilJ_EpYc0ehnLw,68
2
2
  openedx_learning/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
3
3
  openedx_learning/api/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
4
4
  openedx_learning/api/authoring.py,sha256=vbRpiQ2wOfN3oR2bbN0-bI2ra0QRtha9tVixKW1ENis,929
@@ -6,11 +6,13 @@ openedx_learning/api/authoring_models.py,sha256=PrhEYozI7nzC7N1v_sP1QgjwjRvLX6it
6
6
  openedx_learning/apps/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
7
7
  openedx_learning/apps/authoring/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
8
8
  openedx_learning/apps/authoring/collections/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
9
- openedx_learning/apps/authoring/collections/api.py,sha256=lF6Wva4ySekwkJGy7z0Kv2pONW2Ho1YffnLYcJ1cyv4,2595
9
+ openedx_learning/apps/authoring/collections/api.py,sha256=8jNn_S43JqWIGWyDvR7McxGJ-3TboibdHF3LWyQMFWE,4978
10
10
  openedx_learning/apps/authoring/collections/apps.py,sha256=67imy9vnyXml4cfLNGFJhuZr2yx1q92-xz4ih3yJgNU,416
11
- openedx_learning/apps/authoring/collections/models.py,sha256=K_hfFxMirAqntgL1yxoS8LjTJkVOHCszoR6PwMfJGQ8,2427
11
+ openedx_learning/apps/authoring/collections/models.py,sha256=YAwDf8igFbs8Fox3QpbkzBOvYL39cBsRdelxlXx6IYs,8545
12
12
  openedx_learning/apps/authoring/collections/migrations/0001_initial.py,sha256=xcJoqMLROW9FTILYrz6UsyotVu9wBN5tRBwRoAWG6dg,1496
13
13
  openedx_learning/apps/authoring/collections/migrations/0002_remove_collection_name_collection_created_by_and_more.py,sha256=NRl-_-EkE-w4JLeJsZf6lHxYNV3TIAJVIWbv_-xytGo,2162
14
+ openedx_learning/apps/authoring/collections/migrations/0003_collection_entities.py,sha256=-YddfCFS0HW3JsEcpatjakOyeGVklOmba9uRQ-0zIxQ,1805
15
+ openedx_learning/apps/authoring/collections/migrations/0004_collection_key.py,sha256=G1STMrsCjU8Ykp0Zm_nIf5YqZCBy1TRTVX7q7zrly8c,2021
14
16
  openedx_learning/apps/authoring/collections/migrations/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
15
17
  openedx_learning/apps/authoring/components/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
16
18
  openedx_learning/apps/authoring/components/admin.py,sha256=QE7e76C6X2V1AQPxQe6SayQPfCMmbs4RZPEPIGcvTWw,4672
@@ -103,8 +105,8 @@ openedx_tagging/core/tagging/rest_api/v1/serializers.py,sha256=gbvEBLvsmfPc3swWz
103
105
  openedx_tagging/core/tagging/rest_api/v1/urls.py,sha256=dNUKCtUCx_YzrwlbEbpDfjGVQbb2QdJ1VuJCkladj6E,752
104
106
  openedx_tagging/core/tagging/rest_api/v1/views.py,sha256=ZRkSILdb8g5k_BcuuVVfdffEdY9vFQ_YtMa3JrN0Xz8,35581
105
107
  openedx_tagging/core/tagging/rest_api/v1/views_import.py,sha256=kbHUPe5A6WaaJ3J1lFIcYCt876ecLNQfd19m7YYub6c,1470
106
- openedx_learning-0.11.2.dist-info/LICENSE.txt,sha256=QTW2QN7q3XszgUAXm9Dzgtu5LXYKbR1SGnqMa7ufEuY,35139
107
- openedx_learning-0.11.2.dist-info/METADATA,sha256=7xfFEtSUdToIKa-HQVfKknu6_m_BQ62APno2fQulC_4,8777
108
- openedx_learning-0.11.2.dist-info/WHEEL,sha256=GUeE9LxUgRABPG7YM0jCNs9cBsAIx0YAkzCB88PMLgc,109
109
- openedx_learning-0.11.2.dist-info/top_level.txt,sha256=IYFbr5mgiEHd-LOtZmXj3q3a0bkGK1M9LY7GXgnfi4M,33
110
- openedx_learning-0.11.2.dist-info/RECORD,,
108
+ openedx_learning-0.11.4.dist-info/LICENSE.txt,sha256=QTW2QN7q3XszgUAXm9Dzgtu5LXYKbR1SGnqMa7ufEuY,35139
109
+ openedx_learning-0.11.4.dist-info/METADATA,sha256=QxT-9RsbGVZmy8qBhYwsnwl8vwTMh3vXqJ6FfeRfx1g,8777
110
+ openedx_learning-0.11.4.dist-info/WHEEL,sha256=qUzzGenXXuJTzyjFah76kDVqDvnk-YDzY00svnrl84w,109
111
+ openedx_learning-0.11.4.dist-info/top_level.txt,sha256=IYFbr5mgiEHd-LOtZmXj3q3a0bkGK1M9LY7GXgnfi4M,33
112
+ openedx_learning-0.11.4.dist-info/RECORD,,
@@ -1,5 +1,5 @@
1
1
  Wheel-Version: 1.0
2
- Generator: setuptools (73.0.1)
2
+ Generator: setuptools (74.1.2)
3
3
  Root-Is-Purelib: true
4
4
  Tag: py2-none-any
5
5
  Tag: py3-none-any