seekrai 0.5.12__py3-none-any.whl → 0.5.14__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,5 +1,9 @@
1
1
  from seekrai.resources.agents.agent_inference import AgentInference, AsyncAgentInference
2
2
  from seekrai.resources.agents.agents import Agents, AsyncAgents
3
+ from seekrai.resources.agents.python_functions import (
4
+ AsyncCustomFunctions,
5
+ CustomFunctions,
6
+ )
3
7
  from seekrai.resources.agents.threads import AgentThreads, AsyncAgentThreads
4
8
 
5
9
 
@@ -10,4 +14,6 @@ __all__ = [
10
14
  "AsyncAgents",
11
15
  "AgentThreads",
12
16
  "AsyncAgentThreads",
17
+ "CustomFunctions",
18
+ "AsyncCustomFunctions",
13
19
  ]
@@ -1,5 +1,9 @@
1
1
  from seekrai.abstract import api_requestor
2
2
  from seekrai.resources.agents.agent_inference import AgentInference, AsyncAgentInference
3
+ from seekrai.resources.agents.python_functions import (
4
+ AsyncCustomFunctions,
5
+ CustomFunctions,
6
+ )
3
7
  from seekrai.resources.agents.threads import AgentThreads, AsyncAgentThreads
4
8
  from seekrai.seekrflow_response import SeekrFlowResponse
5
9
  from seekrai.types import SeekrFlowClient, SeekrFlowRequest
@@ -19,6 +23,7 @@ class Agents:
19
23
  )
20
24
  self.runs = AgentInference(client)
21
25
  self.threads = AgentThreads(client)
26
+ self.custom_functions = CustomFunctions(client)
22
27
 
23
28
  def retrieve(self, agent_id: str) -> Agent:
24
29
  """
@@ -172,6 +177,7 @@ class AsyncAgents:
172
177
  )
173
178
  self.runs = AsyncAgentInference(client)
174
179
  self.threads = AsyncAgentThreads(client)
180
+ self.custom_functions = AsyncCustomFunctions(client)
175
181
 
176
182
  async def retrieve(self, agent_id: str) -> Agent:
177
183
  """
@@ -0,0 +1,330 @@
1
+ from pathlib import Path
2
+ from typing import Union
3
+
4
+ from seekrai.abstract import api_requestor
5
+ from seekrai.seekrflow_response import SeekrFlowResponse
6
+ from seekrai.types import SeekrFlowClient, SeekrFlowRequest
7
+ from seekrai.types.agents.python_functions import (
8
+ DeletePythonFunctionResponse,
9
+ PythonFunctionResponse,
10
+ )
11
+
12
+
13
+ class CustomFunctions:
14
+ def __init__(self, client: SeekrFlowClient) -> None:
15
+ self._client = client
16
+ self._requestor = api_requestor.APIRequestor(
17
+ client=self._client,
18
+ )
19
+
20
+ def create(
21
+ self, file_path: Union[str, Path], description: Union[str, None] = None
22
+ ) -> PythonFunctionResponse:
23
+ """
24
+ Upload a new Python function for the user.
25
+
26
+ Args:
27
+ file_path: Path to the Python function file to upload (can be relative or absolute).
28
+ description: Optional description for the function.
29
+
30
+ Returns:
31
+ The newly created Python function.
32
+ """
33
+ # Convert string to Path if needed
34
+ if isinstance(file_path, str):
35
+ file_path = Path(file_path)
36
+
37
+ # Read the file contents
38
+ with file_path.open("rb") as f:
39
+ file_content = f.read()
40
+
41
+ # Prepare multipart form data
42
+ files = {"file": (file_path.name, file_content, "text/plain")}
43
+ params = {}
44
+ if description:
45
+ params["description"] = description
46
+
47
+ response, _, _ = self._requestor.request(
48
+ options=SeekrFlowRequest(
49
+ method="POST",
50
+ url="functions/",
51
+ files=files,
52
+ params=params,
53
+ ),
54
+ )
55
+
56
+ assert isinstance(response, SeekrFlowResponse)
57
+ return PythonFunctionResponse(**response.data)
58
+
59
+ def retrieve(self, function_id: str) -> PythonFunctionResponse:
60
+ """
61
+ Retrieve a Python function by its ID.
62
+
63
+ Args:
64
+ function_id: The ID of the Python function to retrieve.
65
+
66
+ Returns:
67
+ The Python function.
68
+ """
69
+ response, _, _ = self._requestor.request(
70
+ options=SeekrFlowRequest(
71
+ method="GET",
72
+ url=f"functions/{function_id}",
73
+ ),
74
+ )
75
+
76
+ assert isinstance(response, SeekrFlowResponse)
77
+ return PythonFunctionResponse(**response.data)
78
+
79
+ def list_functions(
80
+ self, limit: int = 20, offset: int = 0, order: str = "desc"
81
+ ) -> list[PythonFunctionResponse]:
82
+ """
83
+ List all Python functions for the user.
84
+
85
+ Args:
86
+ limit: Maximum number of functions to return (default: 20).
87
+ offset: Number of functions to skip (default: 0).
88
+ order: Sort order, 'asc' or 'desc' (default: 'desc').
89
+
90
+ Returns:
91
+ A list of Python functions.
92
+ """
93
+ response, _, _ = self._requestor.request(
94
+ options=SeekrFlowRequest(
95
+ method="GET",
96
+ url="functions/",
97
+ params={"limit": limit, "offset": offset, "order": order},
98
+ ),
99
+ )
100
+
101
+ assert isinstance(response, SeekrFlowResponse)
102
+ functions = [PythonFunctionResponse(**func) for func in response.data] # type: ignore
103
+ return functions
104
+
105
+ def update(
106
+ self,
107
+ function_id: str,
108
+ file_path: Union[str, Path, None] = None,
109
+ description: Union[str, None] = None,
110
+ ) -> PythonFunctionResponse:
111
+ """
112
+ Update an existing Python function.
113
+
114
+ Args:
115
+ function_id: The ID of the Python function to update.
116
+ file_path: Optional path to a new Python function file (can be relative or absolute).
117
+ description: Optional new description for the function.
118
+
119
+ Returns:
120
+ The updated Python function.
121
+ """
122
+ files = None
123
+ params = {}
124
+
125
+ if file_path:
126
+ # Convert string to Path if needed
127
+ if isinstance(file_path, str):
128
+ file_path = Path(file_path)
129
+
130
+ # Read the file contents
131
+ with file_path.open("rb") as f:
132
+ file_content = f.read()
133
+
134
+ # Prepare multipart form data
135
+ files = {"file": (file_path.name, file_content, "text/plain")}
136
+
137
+ if description:
138
+ params["description"] = description
139
+
140
+ response, _, _ = self._requestor.request(
141
+ options=SeekrFlowRequest(
142
+ method="PATCH",
143
+ url=f"functions/{function_id}",
144
+ files=files,
145
+ params=params,
146
+ ),
147
+ )
148
+
149
+ assert isinstance(response, SeekrFlowResponse)
150
+ return PythonFunctionResponse(**response.data)
151
+
152
+ def delete(self, function_id: str) -> DeletePythonFunctionResponse:
153
+ """
154
+ Delete a Python function by its ID.
155
+
156
+ Args:
157
+ function_id: The ID of the Python function to delete.
158
+
159
+ Returns:
160
+ A response indicating whether the delete operation was successful.
161
+ """
162
+ response, _, _ = self._requestor.request(
163
+ options=SeekrFlowRequest(
164
+ method="DELETE",
165
+ url=f"functions/{function_id}",
166
+ ),
167
+ )
168
+
169
+ assert isinstance(response, SeekrFlowResponse)
170
+ return DeletePythonFunctionResponse(**response.data)
171
+
172
+
173
+ class AsyncCustomFunctions:
174
+ def __init__(self, client: SeekrFlowClient) -> None:
175
+ self._client = client
176
+ self._requestor = api_requestor.APIRequestor(
177
+ client=self._client,
178
+ )
179
+
180
+ async def create(
181
+ self, file_path: Union[str, Path], description: Union[str, None] = None
182
+ ) -> PythonFunctionResponse:
183
+ """
184
+ Upload a new Python function for the user.
185
+
186
+ Args:
187
+ file_path: Path to the Python function file to upload (can be relative or absolute).
188
+ description: Optional description for the function.
189
+
190
+ Returns:
191
+ The newly created Python function.
192
+ """
193
+ # Convert string to Path if needed
194
+ if isinstance(file_path, str):
195
+ file_path = Path(file_path)
196
+
197
+ # Read the file contents
198
+ with file_path.open("rb") as f:
199
+ file_content = f.read()
200
+
201
+ # Prepare multipart form data
202
+ files = {"file": (file_path.name, file_content, "text/plain")}
203
+ params = {}
204
+ if description:
205
+ params["description"] = description
206
+
207
+ response, _, _ = await self._requestor.arequest(
208
+ options=SeekrFlowRequest(
209
+ method="POST",
210
+ url="functions/",
211
+ files=files,
212
+ params=params,
213
+ ),
214
+ )
215
+
216
+ assert isinstance(response, SeekrFlowResponse)
217
+ return PythonFunctionResponse(**response.data)
218
+
219
+ async def retrieve(self, function_id: str) -> PythonFunctionResponse:
220
+ """
221
+ Retrieve a Python function by its ID.
222
+
223
+ Args:
224
+ function_id: The ID of the Python function to retrieve.
225
+
226
+ Returns:
227
+ The Python function.
228
+ """
229
+ response, _, _ = await self._requestor.arequest(
230
+ options=SeekrFlowRequest(
231
+ method="GET",
232
+ url=f"functions/{function_id}",
233
+ ),
234
+ )
235
+
236
+ assert isinstance(response, SeekrFlowResponse)
237
+ return PythonFunctionResponse(**response.data)
238
+
239
+ async def list_functions(
240
+ self, limit: int = 20, offset: int = 0, order: str = "desc"
241
+ ) -> list[PythonFunctionResponse]:
242
+ """
243
+ List all Python functions for the user.
244
+
245
+ Args:
246
+ limit: Maximum number of functions to return (default: 20).
247
+ offset: Number of functions to skip (default: 0).
248
+ order: Sort order, 'asc' or 'desc' (default: 'desc').
249
+
250
+ Returns:
251
+ A list of Python functions.
252
+ """
253
+ response, _, _ = await self._requestor.arequest(
254
+ options=SeekrFlowRequest(
255
+ method="GET",
256
+ url="functions/",
257
+ params={"limit": limit, "offset": offset, "order": order},
258
+ ),
259
+ )
260
+
261
+ assert isinstance(response, SeekrFlowResponse)
262
+ functions = [PythonFunctionResponse(**func) for func in response.data] # type: ignore
263
+ return functions
264
+
265
+ async def update(
266
+ self,
267
+ function_id: str,
268
+ file_path: Union[str, Path, None] = None,
269
+ description: Union[str, None] = None,
270
+ ) -> PythonFunctionResponse:
271
+ """
272
+ Update an existing Python function.
273
+
274
+ Args:
275
+ function_id: The ID of the Python function to update.
276
+ file_path: Optional path to a new Python function file (can be relative or absolute).
277
+ description: Optional new description for the function.
278
+
279
+ Returns:
280
+ The updated Python function.
281
+ """
282
+ files = None
283
+ params = {}
284
+
285
+ if file_path:
286
+ # Convert string to Path if needed
287
+ if isinstance(file_path, str):
288
+ file_path = Path(file_path)
289
+
290
+ # Read the file contents
291
+ with file_path.open("rb") as f:
292
+ file_content = f.read()
293
+
294
+ # Prepare multipart form data
295
+ files = {"file": (file_path.name, file_content, "text/plain")}
296
+
297
+ if description:
298
+ params["description"] = description
299
+
300
+ response, _, _ = await self._requestor.arequest(
301
+ options=SeekrFlowRequest(
302
+ method="PATCH",
303
+ url=f"functions/{function_id}",
304
+ files=files,
305
+ params=params,
306
+ ),
307
+ )
308
+
309
+ assert isinstance(response, SeekrFlowResponse)
310
+ return PythonFunctionResponse(**response.data)
311
+
312
+ async def delete(self, function_id: str) -> DeletePythonFunctionResponse:
313
+ """
314
+ Delete a Python function by its ID.
315
+
316
+ Args:
317
+ function_id: The ID of the Python function to delete.
318
+
319
+ Returns:
320
+ A response indicating whether the delete operation was successful.
321
+ """
322
+ response, _, _ = await self._requestor.arequest(
323
+ options=SeekrFlowRequest(
324
+ method="DELETE",
325
+ url=f"functions/{function_id}",
326
+ ),
327
+ )
328
+
329
+ assert isinstance(response, SeekrFlowResponse)
330
+ return DeletePythonFunctionResponse(**response.data)
@@ -38,7 +38,6 @@ class Models(ResourceBase):
38
38
  object=ObjectType.Model,
39
39
  name=model["name"],
40
40
  bytes=model["size"],
41
- created_at=parse_timestamp(model["created_at"]),
42
41
  model_type=model["model_type"],
43
42
  )
44
43
  for model in response.data["data"]
@@ -79,7 +78,6 @@ class AsyncModels(ResourceBase):
79
78
  object=ObjectType.Model,
80
79
  name=model["name"],
81
80
  bytes=model["size"],
82
- created_at=parse_timestamp(model["created_at"]),
83
81
  model_type=model["model_type"],
84
82
  )
85
83
  for model in response.data["data"]
@@ -5,6 +5,11 @@ from seekrai.types.agents.agent import (
5
5
  CreateAgentRequest,
6
6
  ReasoningEffort,
7
7
  )
8
+ from seekrai.types.agents.python_functions import (
9
+ DeletePythonFunctionResponse,
10
+ PythonFunctionBase,
11
+ PythonFunctionResponse,
12
+ )
8
13
  from seekrai.types.agents.runs import (
9
14
  ModelSettings,
10
15
  Run,
@@ -100,4 +105,7 @@ __all__ = [
100
105
  "RunPythonEnv",
101
106
  "WebSearch",
102
107
  "WebSearchEnv",
108
+ "PythonFunctionBase",
109
+ "PythonFunctionResponse",
110
+ "DeletePythonFunctionResponse",
103
111
  ]
@@ -0,0 +1,29 @@
1
+ from datetime import datetime
2
+
3
+ from pydantic import BaseModel, ConfigDict
4
+
5
+
6
+ class PythonFunctionBase(BaseModel):
7
+ """Base model for a Python function, including metadata fields."""
8
+
9
+ model_config = ConfigDict(from_attributes=True)
10
+ id: str
11
+ version: int
12
+ name: str
13
+ description: str
14
+ active: bool
15
+
16
+
17
+ class PythonFunctionResponse(PythonFunctionBase):
18
+ """Response model for a Python function, including code and user info."""
19
+
20
+ code: str
21
+ user_id: str
22
+ created_at: datetime
23
+ updated_at: datetime
24
+
25
+
26
+ class DeletePythonFunctionResponse(BaseModel):
27
+ """Response model for Python function deletion."""
28
+
29
+ deleted: bool
@@ -5,3 +5,4 @@ from seekrai.types.agents.tools.env_model_config import EnvConfig
5
5
 
6
6
  class RunPythonEnv(EnvConfig):
7
7
  run_python_tool_desc: Optional[str] = None
8
+ function_ids: Optional[list[str]] = None
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.3
2
2
  Name: seekrai
3
- Version: 0.5.12
3
+ Version: 0.5.14
4
4
  Summary: Python client for SeekrAI
5
5
  License: Apache-2.0
6
6
  Author: SeekrFlow
@@ -7,9 +7,10 @@ seekrai/constants.py,sha256=hoR2iF5te5Ydjt_lxIOSGID4vESIakG4F-3xAWdwxaU,1854
7
7
  seekrai/error.py,sha256=rAYL8qEd8INwYMMKvhS-HKeC3QkWL4Wq-zfazFU-zBg,4861
8
8
  seekrai/filemanager.py,sha256=bO2OvjZ9Cx5r2vr3Ocpd_0qVc3owRDT2LCU4Zmp2uDY,15489
9
9
  seekrai/resources/__init__.py,sha256=EPMOqI3mvpzMjNJIr2Da2tkDqSq_lntMph2O-j4pyIA,1501
10
- seekrai/resources/agents/__init__.py,sha256=qPdo3vMZUaGZPdZCNYL0hjtX-T6yAlnpE_zc5otkjak,373
10
+ seekrai/resources/agents/__init__.py,sha256=LJIOKMZaQq2wuK-32wgKRKOMq06svWyia1SsHjEJsc4,529
11
11
  seekrai/resources/agents/agent_inference.py,sha256=4dZNeKBHWhv22J4ADSfr_0HXR6B4Vbz3syGnatmLkPM,9834
12
- seekrai/resources/agents/agents.py,sha256=d3C4VaXq4q5WlUr0f8txdRD3hvEKKvz4UQA-a_sLgso,9385
12
+ seekrai/resources/agents/agents.py,sha256=frmLHvrqeUxnMkE9Xn4w1ugChM14S9ik4MwWyklPMWI,9607
13
+ seekrai/resources/agents/python_functions.py,sha256=2GSiWhKTto8ixE5OG6WsN-GWEwyf1wpdhG3_EziACsg,10367
13
14
  seekrai/resources/agents/threads.py,sha256=BwZ2_6wlezsb12PQjEw1fgdJh5S83SPgD6qZQoGvyIM,14544
14
15
  seekrai/resources/alignment.py,sha256=IOKlKK2I9_NhS9pwcrsd9-5OO7lVT8Uw0y_wuGHOnyA,5839
15
16
  seekrai/resources/chat/__init__.py,sha256=KmtPupgECtEN80NyvcnSmieTAFXhwmVxhMHP0qhspA4,618
@@ -22,15 +23,16 @@ seekrai/resources/files.py,sha256=bEn4jfYWfsI2OqKRGCUpnefIN-udNnafItgT2A7m-e4,15
22
23
  seekrai/resources/finetune.py,sha256=Aw8lU9TohZdJGOstex12gg2t-RDppOponnWg203Bn-Q,11304
23
24
  seekrai/resources/images.py,sha256=VjZiU2cxq2uNrJzm-EwNpOW3rBIgFyRHss8_DF1OuVE,4799
24
25
  seekrai/resources/ingestion.py,sha256=tSJhX6kMzSdNxhHGBdzUKg9gsMP_aOFBz4EBoIFlGUM,4854
25
- seekrai/resources/models.py,sha256=pj7dmtQDEFwkkeMBdK1oLjq7-fdk7LBB1SMyWENS9ic,2418
26
+ seekrai/resources/models.py,sha256=I1JhvU6rEo_qZQ8vDpkLSE7M-zsXl_qdzCz0NaKk0d4,2288
26
27
  seekrai/resources/projects.py,sha256=Nmuh0_BwWoAO89r-p0ZEM8p4NHIH1EUeP83ivRoW5hw,3682
27
28
  seekrai/resources/resource_base.py,sha256=rFIHFeqKPiAEbMYcMiIGHIym7qxwmh-EGsWiZcMDHdk,224
28
29
  seekrai/resources/vectordb.py,sha256=RRULyuldM4A0RlveBNZWFrav7l405wm89ua3k3Bqkgc,14527
29
30
  seekrai/seekrflow_response.py,sha256=5RFEQzamDy7sTSDkxSsZQThZ3biNmeCPeHWdrFId5Go,1320
30
31
  seekrai/types/__init__.py,sha256=N72VsnmOdvLxnhBFLgfugIkT0tqr-M7WVFpAFtXEjLI,4665
31
32
  seekrai/types/abstract.py,sha256=TqWFQV_6bPblywfCH-r8FCkXWvPkc9KlJ4QVgyrnaMc,642
32
- seekrai/types/agents/__init__.py,sha256=akuEDZDs4-OzvPIt0nupF63vBmI_CPfSLKsQUHTl1s8,2163
33
+ seekrai/types/agents/__init__.py,sha256=STRQlgnapxFT5egAP_i3yZSh9gauGmJBHTzdvH8tbdk,2395
33
34
  seekrai/types/agents/agent.py,sha256=85D4GeHF-bYYnPirJSi1MbFg_2uFE2fSEmAHV9LxZfQ,1132
35
+ seekrai/types/agents/python_functions.py,sha256=31Jm46gryHsgNsC7nlivuyY0TSko58y2YVxsu_7bEAg,653
34
36
  seekrai/types/agents/runs.py,sha256=hXH8F6BjF6MoKPWiZY-QtgNTjr6Y256peaW5ASXLWxA,4823
35
37
  seekrai/types/agents/threads.py,sha256=TinCMKv1bi5LzboDyCx1XI4Zzd8UzUZos4VOrTNhmEc,6835
36
38
  seekrai/types/agents/tools/__init__.py,sha256=4MmlL13JLhWgMUlL3TKfegiA-IXGG06YellZTSTVFC8,537
@@ -39,7 +41,7 @@ seekrai/types/agents/tools/schemas/__init__.py,sha256=_HQoqgBk4T1IvlD0Yt3REz0_x_
39
41
  seekrai/types/agents/tools/schemas/file_search.py,sha256=7reLq-S3jMnHlGgP0ihZrU2S4Mcaizoz4IXm3SqCj4A,304
40
42
  seekrai/types/agents/tools/schemas/file_search_env.py,sha256=3iS69R8DpLPTJY2WhiCbOMV47-vXvMjBA7csgfIxKeU,582
41
43
  seekrai/types/agents/tools/schemas/run_python.py,sha256=CMw9C0T9UBWfHSW6mRhNDIIe_uGfxjgRkPIbqGlQxjo,297
42
- seekrai/types/agents/tools/schemas/run_python_env.py,sha256=lvmGSg-u6CoGSEGhAHHkmDffFj6kpFDERIwAhggzgwI,175
44
+ seekrai/types/agents/tools/schemas/run_python_env.py,sha256=q2lhxWvmOEqdj3c1DktL7CJrKqXp8s1wZuQvh7eReb4,220
43
45
  seekrai/types/agents/tools/schemas/web_search.py,sha256=HrcVIC-SQGlBIXvJ0MxXYVQe6JnlgacleViXIo5OrGw,297
44
46
  seekrai/types/agents/tools/schemas/web_search_env.py,sha256=aHaricIcXaWz9N4G_gEipstANPbJPf41F9VZC5LwPog,182
45
47
  seekrai/types/agents/tools/tool.py,sha256=rX-SoN-XgweiHQIKRhNxBWK4ClNjEiXv-YaLdejpgmc,397
@@ -65,8 +67,8 @@ seekrai/utils/api_helpers.py,sha256=0Y8BblNIr9h_R12zdmhkxgTlxgoRkbq84QNi4nNWGu8,
65
67
  seekrai/utils/files.py,sha256=7ixn_hgV-6pEhYqLyOp-EN0o8c1CzUwJzX9n3PQ5oqo,7164
66
68
  seekrai/utils/tools.py,sha256=jgJTL-dOIouDbEJLdQpQfpXhqaz_poQYS52adyUtBjo,1781
67
69
  seekrai/version.py,sha256=q6iGQVFor8zXiPP5F-3vy9TndOxKv5JXbaNJ2kdOQws,125
68
- seekrai-0.5.12.dist-info/LICENSE,sha256=xx0jnfkXJvxRnG63LTGOxlggYnIysveWIZ6H3PNdCrQ,11357
69
- seekrai-0.5.12.dist-info/METADATA,sha256=7n2YKQjR7WVH9rShRYO5ZcdxW4kN9moWX0siQMmFp1o,4781
70
- seekrai-0.5.12.dist-info/WHEEL,sha256=b4K_helf-jlQoXBBETfwnf4B04YC67LOev0jo4fX5m8,88
71
- seekrai-0.5.12.dist-info/entry_points.txt,sha256=N49yOEGi1sK7Xr13F_rkkcOxQ88suyiMoOmRhUHTZ_U,48
72
- seekrai-0.5.12.dist-info/RECORD,,
70
+ seekrai-0.5.14.dist-info/LICENSE,sha256=xx0jnfkXJvxRnG63LTGOxlggYnIysveWIZ6H3PNdCrQ,11357
71
+ seekrai-0.5.14.dist-info/METADATA,sha256=pLMn2jpTZxyuoiTWSzYM9ooGKMlJSPrQlQws6tNwgZQ,4781
72
+ seekrai-0.5.14.dist-info/WHEEL,sha256=b4K_helf-jlQoXBBETfwnf4B04YC67LOev0jo4fX5m8,88
73
+ seekrai-0.5.14.dist-info/entry_points.txt,sha256=N49yOEGi1sK7Xr13F_rkkcOxQ88suyiMoOmRhUHTZ_U,48
74
+ seekrai-0.5.14.dist-info/RECORD,,