sdg-hub 0.4.0__py3-none-any.whl → 0.4.1__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.
sdg_hub/__init__.py CHANGED
@@ -8,7 +8,6 @@ from .core import (
8
8
  BlockRegistry,
9
9
  Flow,
10
10
  FlowMetadata,
11
- FlowParameter,
12
11
  FlowRegistry,
13
12
  FlowValidator,
14
13
  GenerateError,
@@ -23,7 +22,6 @@ __all__ = [
23
22
  "FlowRegistry",
24
23
  # Metadata and utilities
25
24
  "FlowMetadata",
26
- "FlowParameter",
27
25
  "FlowValidator",
28
26
  "GenerateError",
29
27
  "resolve_path",
sdg_hub/_version.py CHANGED
@@ -28,7 +28,7 @@ version_tuple: VERSION_TUPLE
28
28
  commit_id: COMMIT_ID
29
29
  __commit_id__: COMMIT_ID
30
30
 
31
- __version__ = version = '0.4.0'
32
- __version_tuple__ = version_tuple = (0, 4, 0)
31
+ __version__ = version = '0.4.1'
32
+ __version_tuple__ = version_tuple = (0, 4, 1)
33
33
 
34
34
  __commit_id__ = commit_id = None
sdg_hub/core/__init__.py CHANGED
@@ -3,7 +3,7 @@
3
3
 
4
4
  # Local
5
5
  from .blocks import BaseBlock, BlockRegistry
6
- from .flow import Flow, FlowMetadata, FlowParameter, FlowRegistry, FlowValidator
6
+ from .flow import Flow, FlowMetadata, FlowRegistry, FlowValidator
7
7
  from .utils import GenerateError, resolve_path
8
8
 
9
9
  __all__ = [
@@ -14,7 +14,6 @@ __all__ = [
14
14
  "Flow",
15
15
  "FlowRegistry",
16
16
  "FlowMetadata",
17
- "FlowParameter",
18
17
  "FlowValidator",
19
18
  # Utils
20
19
  "GenerateError",
@@ -1,20 +1,19 @@
1
1
  # SPDX-License-Identifier: Apache-2.0
2
2
  """New flow implementation for SDG Hub.
3
3
 
4
- This module provides a redesigned Flow class with metadata support,
5
- dual initialization modes, and runtime parameter overrides.
4
+ This module provides a redesigned Flow class with metadata support
5
+ and dual initialization modes.
6
6
  """
7
7
 
8
8
  # Local
9
9
  from .base import Flow
10
- from .metadata import FlowMetadata, FlowParameter
10
+ from .metadata import FlowMetadata
11
11
  from .registry import FlowRegistry
12
12
  from .validation import FlowValidator
13
13
 
14
14
  __all__ = [
15
15
  "Flow",
16
16
  "FlowMetadata",
17
- "FlowParameter",
18
17
  "FlowRegistry",
19
18
  "FlowValidator",
20
19
  ]
sdg_hub/core/flow/base.py CHANGED
@@ -35,7 +35,7 @@ from ..utils.logger_config import setup_logger
35
35
  from ..utils.path_resolution import resolve_path
36
36
  from ..utils.yaml_utils import save_flow_yaml
37
37
  from .checkpointer import FlowCheckpointer
38
- from .metadata import DatasetRequirements, FlowMetadata, FlowParameter
38
+ from .metadata import DatasetRequirements, FlowMetadata
39
39
  from .migration import FlowMigration
40
40
  from .validation import FlowValidator
41
41
 
@@ -55,8 +55,6 @@ class Flow(BaseModel):
55
55
  Ordered list of blocks to execute in the flow.
56
56
  metadata : FlowMetadata
57
57
  Flow metadata including name, version, author, etc.
58
- parameters : Dict[str, FlowParameter]
59
- Runtime parameters that can be overridden during execution.
60
58
  """
61
59
 
62
60
  blocks: list[BaseBlock] = Field(
@@ -66,10 +64,6 @@ class Flow(BaseModel):
66
64
  metadata: FlowMetadata = Field(
67
65
  description="Flow metadata including name, version, author, etc."
68
66
  )
69
- parameters: dict[str, FlowParameter] = Field(
70
- default_factory=dict,
71
- description="Runtime parameters that can be overridden during execution",
72
- )
73
67
 
74
68
  model_config = ConfigDict(extra="forbid", arbitrary_types_allowed=True)
75
69
 
@@ -96,32 +90,6 @@ class Flow(BaseModel):
96
90
 
97
91
  return v
98
92
 
99
- @field_validator("parameters")
100
- @classmethod
101
- def validate_parameters(
102
- cls, v: dict[str, FlowParameter]
103
- ) -> dict[str, FlowParameter]:
104
- """Validate parameter names and ensure they are FlowParameter instances."""
105
- if not v:
106
- return v
107
-
108
- validated = {}
109
- for param_name, param_value in v.items():
110
- if not isinstance(param_name, str) or not param_name.strip():
111
- raise ValueError(
112
- f"Parameter name must be a non-empty string: {param_name}"
113
- )
114
-
115
- if not isinstance(param_value, FlowParameter):
116
- raise ValueError(
117
- f"Parameter '{param_name}' must be a FlowParameter instance, "
118
- f"got: {type(param_value)}"
119
- )
120
-
121
- validated[param_name.strip()] = param_value
122
-
123
- return validated
124
-
125
93
  @model_validator(mode="after")
126
94
  def validate_block_names_unique(self) -> "Flow":
127
95
  """Ensure all block names are unique within the flow."""
@@ -215,17 +183,6 @@ class Flow(BaseModel):
215
183
  except Exception as exc:
216
184
  raise FlowValidationError(f"Invalid metadata configuration: {exc}") from exc
217
185
 
218
- # Extract and validate parameters
219
- parameters = {}
220
- params_dict = flow_config.get("parameters", {})
221
- for param_name, param_config in params_dict.items():
222
- try:
223
- parameters[param_name] = FlowParameter(**param_config)
224
- except Exception as exc:
225
- raise FlowValidationError(
226
- f"Invalid parameter '{param_name}': {exc}"
227
- ) from exc
228
-
229
186
  # Create blocks with validation
230
187
  blocks = []
231
188
  block_configs = flow_config.get("blocks", [])
@@ -254,7 +211,7 @@ class Flow(BaseModel):
254
211
 
255
212
  # Create and validate the flow
256
213
  try:
257
- flow = cls(blocks=blocks, metadata=metadata, parameters=parameters)
214
+ flow = cls(blocks=blocks, metadata=metadata)
258
215
  # Persist generated id back to the YAML file (only on initial load)
259
216
  # If the file had no metadata.id originally, update and rewrite
260
217
  if not flow_config.get("metadata", {}).get("id"):
@@ -1225,17 +1182,12 @@ class Flow(BaseModel):
1225
1182
  # Create new flow with added block
1226
1183
  new_blocks = self.blocks + [block]
1227
1184
 
1228
- return Flow(
1229
- blocks=new_blocks, metadata=self.metadata, parameters=self.parameters
1230
- )
1185
+ return Flow(blocks=new_blocks, metadata=self.metadata)
1231
1186
 
1232
1187
  def get_info(self) -> dict[str, Any]:
1233
1188
  """Get information about the flow."""
1234
1189
  return {
1235
1190
  "metadata": self.metadata.model_dump(),
1236
- "parameters": {
1237
- name: param.model_dump() for name, param in self.parameters.items()
1238
- },
1239
1191
  "blocks": [
1240
1192
  {
1241
1193
  "block_type": block.__class__.__name__,
@@ -1339,8 +1291,7 @@ class Flow(BaseModel):
1339
1291
 
1340
1292
  The summary contains:
1341
1293
  1. Flow metadata (name, version, author, description)
1342
- 2. Defined runtime parameters with type hints and defaults
1343
- 3. A table of all blocks with their input and output columns
1294
+ 2. A table of all blocks with their input and output columns
1344
1295
 
1345
1296
  Notes
1346
1297
  -----
@@ -1374,17 +1325,6 @@ class Flow(BaseModel):
1374
1325
  f"Description: [white]{self.metadata.description}[/white]"
1375
1326
  )
1376
1327
 
1377
- # Parameters section
1378
- if self.parameters:
1379
- params_branch = flow_tree.add(
1380
- "[bold bright_yellow]Parameters[/bold bright_yellow]"
1381
- )
1382
- for name, param in self.parameters.items():
1383
- param_info = f"[bright_cyan]{name}[/bright_cyan]: [white]{param.type_hint}[/white]"
1384
- if param.default is not None:
1385
- param_info += f" = [bright_white]{param.default}[/bright_white]"
1386
- params_branch.add(param_info)
1387
-
1388
1328
  # Blocks overview
1389
1329
  flow_tree.add(
1390
1330
  f"[bold bright_magenta]Blocks[/bold bright_magenta] ({len(self.blocks)} total)"
@@ -1446,11 +1386,6 @@ class Flow(BaseModel):
1446
1386
  ],
1447
1387
  }
1448
1388
 
1449
- if self.parameters:
1450
- config["parameters"] = {
1451
- name: param.model_dump() for name, param in self.parameters.items()
1452
- }
1453
-
1454
1389
  save_flow_yaml(output_path, config)
1455
1390
 
1456
1391
  def __len__(self) -> int:
@@ -2,9 +2,8 @@
2
2
  """Flow metadata and parameter definitions."""
3
3
 
4
4
  # Standard
5
- from datetime import datetime
6
5
  from enum import Enum
7
- from typing import Any, Optional
6
+ from typing import Optional
8
7
 
9
8
  # Third Party
10
9
  from pydantic import BaseModel, Field, field_validator, model_validator
@@ -118,39 +117,6 @@ class RecommendedModels(BaseModel):
118
117
  return None
119
118
 
120
119
 
121
- class FlowParameter(BaseModel):
122
- """Represents a runtime parameter for a flow.
123
-
124
- Attributes
125
- ----------
126
- default : Any
127
- Default value for the parameter.
128
- description : str
129
- Human-readable description of the parameter.
130
- type_hint : str
131
- Type hint as string (e.g., "float", "str").
132
- required : bool
133
- Whether this parameter is required at runtime.
134
- constraints : Dict[str, Any]
135
- Additional constraints for the parameter.
136
- """
137
-
138
- default: Any = Field(..., description="Default value for the parameter")
139
- description: str = Field(default="", description="Human-readable description")
140
- type_hint: str = Field(default="Any", description="Type hint as string")
141
- required: bool = Field(default=False, description="Whether parameter is required")
142
- constraints: dict[str, Any] = Field(
143
- default_factory=dict, description="Additional constraints for the parameter"
144
- )
145
-
146
- @model_validator(mode="after")
147
- def validate_required_default(self) -> "FlowParameter":
148
- """Validate that required parameters have appropriate defaults."""
149
- if self.required and self.default is None:
150
- raise ValueError("Required parameters cannot have None as default")
151
- return self
152
-
153
-
154
120
  class DatasetRequirements(BaseModel):
155
121
  """Dataset requirements for flow execution.
156
122
 
@@ -255,20 +221,10 @@ class FlowMetadata(BaseModel):
255
221
  Simplified recommended models structure with default, compatible, and experimental lists.
256
222
  tags : List[str]
257
223
  Tags for categorization and search.
258
- created_at : str
259
- Creation timestamp.
260
- updated_at : str
261
- Last update timestamp.
262
224
  license : str
263
225
  License identifier.
264
- min_sdg_hub_version : str
265
- Minimum required SDG Hub version.
266
226
  dataset_requirements : Optional[DatasetRequirements]
267
227
  Requirements for input datasets.
268
- estimated_cost : str
269
- Estimated cost tier for running the flow.
270
- estimated_duration : str
271
- Estimated duration for flow execution.
272
228
  """
273
229
 
274
230
  name: str = Field(..., min_length=1, description="Human-readable name")
@@ -288,29 +244,10 @@ class FlowMetadata(BaseModel):
288
244
  tags: list[str] = Field(
289
245
  default_factory=list, description="Tags for categorization and search"
290
246
  )
291
- created_at: str = Field(
292
- default_factory=lambda: datetime.now().isoformat(),
293
- description="Creation timestamp",
294
- )
295
- updated_at: str = Field(
296
- default_factory=lambda: datetime.now().isoformat(),
297
- description="Last update timestamp",
298
- )
299
247
  license: str = Field(default="Apache-2.0", description="License identifier")
300
- min_sdg_hub_version: str = Field(
301
- default="", description="Minimum required SDG Hub version"
302
- )
303
248
  dataset_requirements: Optional[DatasetRequirements] = Field(
304
249
  default=None, description="Requirements for input datasets"
305
250
  )
306
- estimated_cost: str = Field(
307
- default="medium",
308
- pattern="^(low|medium|high)$",
309
- description="Estimated cost tier for running the flow",
310
- )
311
- estimated_duration: str = Field(
312
- default="", description="Estimated duration for flow execution"
313
- )
314
251
 
315
252
  @field_validator("id")
316
253
  @classmethod
@@ -352,10 +289,6 @@ class FlowMetadata(BaseModel):
352
289
  # Validation is handled within RecommendedModels class
353
290
  return v
354
291
 
355
- def update_timestamp(self) -> None:
356
- """Update the updated_at timestamp."""
357
- self.updated_at = datetime.now().isoformat()
358
-
359
292
  @model_validator(mode="after")
360
293
  def ensure_id(self) -> "FlowMetadata":
361
294
  """Ensure id is set.
@@ -360,7 +360,6 @@ class FlowRegistry:
360
360
  "tags": ", ".join(metadata.tags) if metadata.tags else "-",
361
361
  "description": metadata.description or "No description",
362
362
  "version": metadata.version,
363
- "cost": metadata.estimated_cost,
364
363
  }
365
364
  )
366
365
 
@@ -17,7 +17,6 @@ metadata:
17
17
  - qa-pairs
18
18
  - detailed-summaries
19
19
  license: Apache-2.0
20
- min_sdg_hub_version: 0.2.0
21
20
  dataset_requirements:
22
21
  required_columns:
23
22
  - document
@@ -17,7 +17,6 @@ metadata:
17
17
  - qa-pairs
18
18
  - detailed-summaries
19
19
  license: Apache-2.0
20
- min_sdg_hub_version: 0.2.0
21
20
  dataset_requirements:
22
21
  required_columns:
23
22
  - document
@@ -19,7 +19,6 @@ metadata:
19
19
  - qa-pairs
20
20
  - extractive-summaries
21
21
  license: Apache-2.0
22
- min_sdg_hub_version: 0.2.0
23
22
  dataset_requirements:
24
23
  required_columns:
25
24
  - document
@@ -17,7 +17,6 @@ metadata:
17
17
  - qa-pairs
18
18
  - key-facts
19
19
  license: Apache-2.0
20
- min_sdg_hub_version: 0.2.0
21
20
  dataset_requirements:
22
21
  required_columns:
23
22
  - document
@@ -18,8 +18,7 @@ metadata:
18
18
  - "educational"
19
19
 
20
20
  license: "Apache-2.0"
21
- min_sdg_hub_version: "0.2.0"
22
-
21
+
23
22
  dataset_requirements:
24
23
  required_columns:
25
24
  - "document"
@@ -19,7 +19,6 @@ metadata:
19
19
  - "japanese"
20
20
 
21
21
  license: "Apache-2.0"
22
- min_sdg_hub_version: "0.2.0"
23
22
 
24
23
  dataset_requirements:
25
24
  required_columns:
@@ -24,7 +24,6 @@ metadata:
24
24
  - "entity-extraction"
25
25
  - "keyword-extraction"
26
26
  license: "Apache-2.0"
27
- min_sdg_hub_version: "0.2.0"
28
27
  dataset_requirements:
29
28
  required_columns:
30
29
  - "text"
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: sdg_hub
3
- Version: 0.4.0
3
+ Version: 0.4.1
4
4
  Summary: Synthetic Data Generation
5
5
  Author-email: Red Hat AI Innovation <abhandwa@redhat.com>
6
6
  License: Apache-2.0
@@ -65,6 +65,7 @@ Requires-Dist: pytest-html; extra == "dev"
65
65
  Requires-Dist: tox<5,>=4.4.2; extra == "dev"
66
66
  Requires-Dist: ruff; extra == "dev"
67
67
  Requires-Dist: pytest-env; extra == "dev"
68
+ Requires-Dist: nbconvert>=7.0.0; extra == "dev"
68
69
  Dynamic: license-file
69
70
 
70
71
  # `sdg_hub`: Synthetic Data Generation Toolkit
@@ -1,7 +1,7 @@
1
- sdg_hub/__init__.py,sha256=Tw-6R5a8_W1kJcTAsW3R9ltBDP1dy5-fe7Tvt3cSyCQ,550
2
- sdg_hub/_version.py,sha256=2_0GUP7yBCXRus-qiJKxQD62z172WSs1sQ6DVpPsbmM,704
1
+ sdg_hub/__init__.py,sha256=TlkZT40-70urdcWLqv3kupaJj8s-SVgd2QyvlSFwb4A,510
2
+ sdg_hub/_version.py,sha256=k7cu0JKra64gmMNU_UfA5sw2eNc_GRvf3QmesiYAy8g,704
3
3
  sdg_hub/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
4
- sdg_hub/core/__init__.py,sha256=NwqB4fwhC29W50VW7QXZssLxx122YvgO9LHDLdgAnrI,496
4
+ sdg_hub/core/__init__.py,sha256=e3BoejbqjYhasf9t__L4qE52lkD9EBjx4o--2kqKdro,460
5
5
  sdg_hub/core/blocks/__init__.py,sha256=5FsbkcO-dmBv6MqO96TPn9FKKPTQZQCv20j4wR7UvQw,1502
6
6
  sdg_hub/core/blocks/base.py,sha256=-SOdBpJwtRTMsrmCEuLjUBQMRCo_PLYlHEBRrz8sF9g,13031
7
7
  sdg_hub/core/blocks/registry.py,sha256=FuEN_pnq-nSH1LguY3_oCubT6Kz3SuJjk3TcUpLT-lw,10695
@@ -32,12 +32,12 @@ sdg_hub/core/blocks/transform/melt_columns.py,sha256=vaYa5Taq6GhNZYWFL4uPK3-SfN2
32
32
  sdg_hub/core/blocks/transform/rename_columns.py,sha256=qeB5L2utqDQnutUetH1VKZSqDiJSH_yUp5EFCV-XCVI,1998
33
33
  sdg_hub/core/blocks/transform/text_concat.py,sha256=_-B__Hob1WwgwkILPIZvTnsDzuwtoX1hKviyzHlnnes,3149
34
34
  sdg_hub/core/blocks/transform/uniform_col_val_setter.py,sha256=XnjiT29z3PzIPy8M-mmE2w-Miab6Ed5ahy32SaxTCTE,3263
35
- sdg_hub/core/flow/__init__.py,sha256=N2NZGngvd7qpT5FI_knKukUFM0IkD9K5jdTi-gDeUI4,475
36
- sdg_hub/core/flow/base.py,sha256=6UlQ7ymVNs03UQ4NNgD15Y6eFyKPcl5JpuWOZuY70Mo,56654
35
+ sdg_hub/core/flow/__init__.py,sha256=0_m_htuZfPxk8xQ9IKfp0Pz-JRE4O7lYMUFrKyLNoLA,409
36
+ sdg_hub/core/flow/base.py,sha256=IRnNEZ3laDmR4sW_MTseL4syhLuUylyHY_0tS5QaS-A,54084
37
37
  sdg_hub/core/flow/checkpointer.py,sha256=stm5ZtjjEiLk9ZkAAnoQQn5Y8Yl_d7qCsQLZTrCXR48,11867
38
- sdg_hub/core/flow/metadata.py,sha256=h9jpvAzWsF5n4ztZMzwa9ZNgnzKTHmFWdn7YbyJLHCw,12977
38
+ sdg_hub/core/flow/metadata.py,sha256=cFrpJjWOaK87aCuRFyC3Pdf83oYU93mrmZEMdUnhsN8,10540
39
39
  sdg_hub/core/flow/migration.py,sha256=6and-RBqV0t2gRipr1GiOOVnyBJdtyyjw1kO08Z--d4,7558
40
- sdg_hub/core/flow/registry.py,sha256=DzCqEEgwhvwnCBAGLogoMVdwXh4pCHrxOWqoxam7O8I,12162
40
+ sdg_hub/core/flow/registry.py,sha256=N6KfX-L7QRkooznIFxDuhRZYuDA5g3N5zC-KRm2jVhk,12109
41
41
  sdg_hub/core/flow/validation.py,sha256=pUJvgaUjLpKNwvW6djcqVOF-HShOjegEmGOnUnoX4BA,9722
42
42
  sdg_hub/core/utils/__init__.py,sha256=C2FzLn3dHprwGJDEgI4fyFS3aoCJR-9PhHsunxropJ8,351
43
43
  sdg_hub/core/utils/datautils.py,sha256=__HkUe1DxcJVHKrFX68z_hDXwxJygBlJDfjJLnj7rHc,4230
@@ -54,14 +54,14 @@ sdg_hub/flows/qa_generation/document_grounded_qa/enhanced_multi_summary_qa/gener
54
54
  sdg_hub/flows/qa_generation/document_grounded_qa/enhanced_multi_summary_qa/generate_question_list.yaml,sha256=qHOgUNrQz2vjUjJiEHNGWxDDXwjJlP1kofTxeGgLyPI,1461
55
55
  sdg_hub/flows/qa_generation/document_grounded_qa/enhanced_multi_summary_qa/detailed_summary/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
56
56
  sdg_hub/flows/qa_generation/document_grounded_qa/enhanced_multi_summary_qa/detailed_summary/detailed_summary.yaml,sha256=Ik6gAml0O-jPq8jpXBAkURzYkQuFOnDZb4LDwjmfAiE,381
57
- sdg_hub/flows/qa_generation/document_grounded_qa/enhanced_multi_summary_qa/detailed_summary/flow.yaml,sha256=_h_EFdxen842BeJd20soaCeR4eccccxAerUV6myUefE,5567
57
+ sdg_hub/flows/qa_generation/document_grounded_qa/enhanced_multi_summary_qa/detailed_summary/flow.yaml,sha256=fUdzY9dtU69o99Uq8FIPycgVWdLD-1kbY97Bh-Vo2A0,5538
58
58
  sdg_hub/flows/qa_generation/document_grounded_qa/enhanced_multi_summary_qa/doc_direct_qa/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
59
- sdg_hub/flows/qa_generation/document_grounded_qa/enhanced_multi_summary_qa/doc_direct_qa/flow.yaml,sha256=OJDlm8uGNqGPertACSG5pKKVGOKdfsQ6RMeh4UHZMJs,4442
59
+ sdg_hub/flows/qa_generation/document_grounded_qa/enhanced_multi_summary_qa/doc_direct_qa/flow.yaml,sha256=smPWVUZRCt58EagWDmJVmTBQj8qMcjpzh-Q3GSuFrz0,4413
60
60
  sdg_hub/flows/qa_generation/document_grounded_qa/enhanced_multi_summary_qa/extractive_summary/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
61
61
  sdg_hub/flows/qa_generation/document_grounded_qa/enhanced_multi_summary_qa/extractive_summary/extractive_summary.yaml,sha256=SeapWoOx3fhN5SvWYuHss_9prLE8xSkOic7JkbDHSR0,4081
62
- sdg_hub/flows/qa_generation/document_grounded_qa/enhanced_multi_summary_qa/extractive_summary/flow.yaml,sha256=Yy6-2Vytdr4FPxC5wTQkcv7Amy-DBMA3H8vOx9tBB9U,5735
62
+ sdg_hub/flows/qa_generation/document_grounded_qa/enhanced_multi_summary_qa/extractive_summary/flow.yaml,sha256=iNNIfofFE7awK7iivtIFWxjfjy8QviMugOPPnOTySKA,5706
63
63
  sdg_hub/flows/qa_generation/document_grounded_qa/enhanced_multi_summary_qa/key_facts/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
64
- sdg_hub/flows/qa_generation/document_grounded_qa/enhanced_multi_summary_qa/key_facts/flow.yaml,sha256=QYN-zNl0YtqKXCTpMJBD9vbYsTf-30cap9ziiDwxKk0,3248
64
+ sdg_hub/flows/qa_generation/document_grounded_qa/enhanced_multi_summary_qa/key_facts/flow.yaml,sha256=CIUZNYhvszT-jpz1Hvh6nS2y5W34P529ZOMp8thEQ9k,3219
65
65
  sdg_hub/flows/qa_generation/document_grounded_qa/enhanced_multi_summary_qa/key_facts/key_facts_summary.yaml,sha256=YKMX_CuvcThG_bdNCAIXdVBkMvB72I89RGq2ltSSgc8,3298
66
66
  sdg_hub/flows/qa_generation/document_grounded_qa/multi_summary_qa/instructlab/README.md,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
67
67
  sdg_hub/flows/qa_generation/document_grounded_qa/multi_summary_qa/instructlab/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
@@ -71,24 +71,24 @@ sdg_hub/flows/qa_generation/document_grounded_qa/multi_summary_qa/instructlab/ev
71
71
  sdg_hub/flows/qa_generation/document_grounded_qa/multi_summary_qa/instructlab/evaluate_question.yaml,sha256=zwzklXup6khRkR88avgrJTcjaMcV1wnbeYaML5oPuNs,1767
72
72
  sdg_hub/flows/qa_generation/document_grounded_qa/multi_summary_qa/instructlab/evaluate_relevancy.yaml,sha256=cA8igo7jMrRXaWW6k0of6KOp7YnxLtPj0fP4DbrmZNQ,3647
73
73
  sdg_hub/flows/qa_generation/document_grounded_qa/multi_summary_qa/instructlab/extractive_summary.yaml,sha256=fcMV7LaCFZo4D29nwhGJXqFFuZMYVLo9XYjv8zcU6zs,364
74
- sdg_hub/flows/qa_generation/document_grounded_qa/multi_summary_qa/instructlab/flow.yaml,sha256=QOhucXsokNEXGdXtk38qxQnSDwiCngUciXRjBqDcnDU,9088
74
+ sdg_hub/flows/qa_generation/document_grounded_qa/multi_summary_qa/instructlab/flow.yaml,sha256=HR8sf7RUZKr8UqKztBj-nlvyrve1UMUu8x8qgYM6O14,9055
75
75
  sdg_hub/flows/qa_generation/document_grounded_qa/multi_summary_qa/instructlab/generate_questions_responses.yaml,sha256=yX8aLY8dJSDML9ZJhnj9RzPbN8tH2xfcM4Gc6xZuwqQ,2596
76
76
  sdg_hub/flows/qa_generation/document_grounded_qa/multi_summary_qa/multilingual/japanese/README.md,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
77
77
  sdg_hub/flows/qa_generation/document_grounded_qa/multi_summary_qa/multilingual/japanese/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
78
78
  sdg_hub/flows/qa_generation/document_grounded_qa/multi_summary_qa/multilingual/japanese/atomic_facts_ja.yaml,sha256=OjPZaSCOSLxEWgW3pmNwF7mmLhGhFGTmKL_3rKdqeW4,2488
79
79
  sdg_hub/flows/qa_generation/document_grounded_qa/multi_summary_qa/multilingual/japanese/detailed_summary_ja.yaml,sha256=nEy_RcotHGiiENrmUANpKkbIFsrARAeSwECrBeHi2so,391
80
80
  sdg_hub/flows/qa_generation/document_grounded_qa/multi_summary_qa/multilingual/japanese/extractive_summary_ja.yaml,sha256=V90W0IeJQZTFThA8v0UOs3DtZbtU3BI9jkpChw1BULo,402
81
- sdg_hub/flows/qa_generation/document_grounded_qa/multi_summary_qa/multilingual/japanese/flow.yaml,sha256=ittFo_tyvG_1eqooO_9NK4jqepafgpHFGy2fuVfjFto,9207
81
+ sdg_hub/flows/qa_generation/document_grounded_qa/multi_summary_qa/multilingual/japanese/flow.yaml,sha256=iY1N6CY97fEkqI5oqaamSfqmiXpHPhWH_aOppsMxVjY,9176
82
82
  sdg_hub/flows/qa_generation/document_grounded_qa/multi_summary_qa/multilingual/japanese/generate_questions_responses_ja.yaml,sha256=96SQqXG7fmb-50SdX85sgVtrFcQ-oNKe_0BoQdZmY5g,2638
83
83
  sdg_hub/flows/text_analysis/__init__.py,sha256=WStks4eM_KHNTVsHglcj8vFghmI0PH9P1hUrijBLbwc,125
84
84
  sdg_hub/flows/text_analysis/structured_insights/__init__.py,sha256=_DT4NR05JD9CZoSWROPr2lC6se0VjSqQPZJJlEV79mk,274
85
85
  sdg_hub/flows/text_analysis/structured_insights/analyze_sentiment.yaml,sha256=1YGPypFJYS8qfYFj2J6ERTgodKJvMF4YHNGt_vOF5qc,1000
86
86
  sdg_hub/flows/text_analysis/structured_insights/extract_entities.yaml,sha256=Q_SDy14Zu-qS2sbKfUBmGlYj3k7CUg6HzzXlFCXRKuU,1169
87
87
  sdg_hub/flows/text_analysis/structured_insights/extract_keywords.yaml,sha256=_nPPMdHnxag_lYbhYUjGJGo-CvRwWvwdGX7cQhdZ1S0,847
88
- sdg_hub/flows/text_analysis/structured_insights/flow.yaml,sha256=Qpo9WPtl0PWhBF1stIM8OjaTvhtw3dn4eDADt-xj5cA,4965
88
+ sdg_hub/flows/text_analysis/structured_insights/flow.yaml,sha256=BBV18SdvuVTAESjwkJ7V1jbb-cSTBvNl3SCycd0oEQ4,4934
89
89
  sdg_hub/flows/text_analysis/structured_insights/summarize.yaml,sha256=WXwQak1pF8e1OwnOoI1EHu8QB6iUNW89rfkTdi1Oq54,687
90
- sdg_hub-0.4.0.dist-info/licenses/LICENSE,sha256=xx0jnfkXJvxRnG63LTGOxlggYnIysveWIZ6H3PNdCrQ,11357
91
- sdg_hub-0.4.0.dist-info/METADATA,sha256=SPjLdht-43yAyDwZzdk91SYoQn8jRbsCTr4qBkXVVlw,9735
92
- sdg_hub-0.4.0.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
93
- sdg_hub-0.4.0.dist-info/top_level.txt,sha256=TqI7d-HE1n6zkXFkU0nF3A1Ct0P0pBaqI675uFokhx4,8
94
- sdg_hub-0.4.0.dist-info/RECORD,,
90
+ sdg_hub-0.4.1.dist-info/licenses/LICENSE,sha256=xx0jnfkXJvxRnG63LTGOxlggYnIysveWIZ6H3PNdCrQ,11357
91
+ sdg_hub-0.4.1.dist-info/METADATA,sha256=pLRs5oOsVI9515UEZxcUEZFZhCoZ0kli0KLpBPPPB7w,9783
92
+ sdg_hub-0.4.1.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
93
+ sdg_hub-0.4.1.dist-info/top_level.txt,sha256=TqI7d-HE1n6zkXFkU0nF3A1Ct0P0pBaqI675uFokhx4,8
94
+ sdg_hub-0.4.1.dist-info/RECORD,,