agent-framework-copilotstudio 0.0.0a1__py3-none-any.whl → 1.0.0b251007__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.

Potentially problematic release.


This version of agent-framework-copilotstudio might be problematic. Click here for more details.

@@ -0,0 +1,13 @@
1
+ # Copyright (c) Microsoft. All rights reserved.
2
+
3
+ import importlib.metadata
4
+
5
+ from ._acquire_token import acquire_token
6
+ from ._agent import CopilotStudioAgent
7
+
8
+ try:
9
+ __version__ = importlib.metadata.version(__name__)
10
+ except importlib.metadata.PackageNotFoundError:
11
+ __version__ = "0.0.0" # Fallback for development mode
12
+
13
+ __all__ = ["CopilotStudioAgent", "__version__", "acquire_token"]
@@ -0,0 +1,95 @@
1
+ # Copyright (c) Microsoft. All rights reserved.
2
+ # pyright: reportUnknownMemberType = false
3
+ # pyright: reportUnknownVariableType = false
4
+ # pyright: reportUnknownArgumentType = false
5
+
6
+ import logging
7
+ from typing import Any
8
+
9
+ from agent_framework.exceptions import ServiceException
10
+ from msal import PublicClientApplication
11
+
12
+ logger = logging.getLogger(__name__)
13
+
14
+ # Default scopes for Power Platform API
15
+ DEFAULT_SCOPES = ["https://api.powerplatform.com/.default"]
16
+
17
+
18
+ def acquire_token(
19
+ *,
20
+ client_id: str,
21
+ tenant_id: str,
22
+ username: str | None = None,
23
+ token_cache: Any | None = None,
24
+ scopes: list[str] | None = None,
25
+ ) -> str:
26
+ """Acquire an authentication token using MSAL Public Client Application.
27
+
28
+ This function attempts to acquire a token silently first (using cached tokens),
29
+ and falls back to interactive authentication if needed.
30
+
31
+ Keyword Args:
32
+ client_id: The client ID of the application.
33
+ tenant_id: The tenant ID for authentication.
34
+ username: Optional username to filter accounts.
35
+ token_cache: Optional token cache for storing tokens.
36
+ scopes: Optional list of scopes. Defaults to Power Platform API scopes.
37
+
38
+ Returns:
39
+ The access token string.
40
+
41
+ Raises:
42
+ ServiceException: If authentication token cannot be acquired.
43
+ """
44
+ if not client_id:
45
+ raise ServiceException("Client ID is required for token acquisition.")
46
+
47
+ if not tenant_id:
48
+ raise ServiceException("Tenant ID is required for token acquisition.")
49
+
50
+ authority = f"https://login.microsoftonline.com/{tenant_id}"
51
+ target_scopes = scopes or DEFAULT_SCOPES
52
+
53
+ pca = PublicClientApplication(client_id=client_id, authority=authority, token_cache=token_cache)
54
+
55
+ accounts = pca.get_accounts(username=username)
56
+
57
+ token: str | None = None
58
+
59
+ # Try silent token acquisition first if we have cached accounts
60
+ if accounts:
61
+ try:
62
+ logger.debug("Attempting silent token acquisition")
63
+ response = pca.acquire_token_silent(scopes=target_scopes, account=accounts[0])
64
+ if response and "access_token" in response:
65
+ token = str(response["access_token"]) # type: ignore[assignment]
66
+ logger.debug("Successfully acquired token silently")
67
+ elif response and "error" in response:
68
+ logger.warning(
69
+ "Silent token acquisition failed: %s - %s", response.get("error"), response.get("error_description")
70
+ )
71
+ except Exception as ex:
72
+ logger.warning("Silent token acquisition failed with exception: %s", ex)
73
+
74
+ # Fall back to interactive authentication if silent acquisition failed
75
+ if not token:
76
+ try:
77
+ logger.debug("Attempting interactive token acquisition")
78
+ response = pca.acquire_token_interactive(scopes=target_scopes)
79
+ if response and "access_token" in response:
80
+ token = str(response["access_token"]) # type: ignore[assignment]
81
+ logger.debug("Successfully acquired token interactively")
82
+ elif response and "error" in response:
83
+ logger.error(
84
+ "Interactive token acquisition failed: %s - %s",
85
+ response.get("error"),
86
+ response.get("error_description"),
87
+ )
88
+ except Exception as ex:
89
+ logger.error("Interactive token acquisition failed with exception: %s", ex)
90
+ raise ServiceException(f"Failed to acquire authentication token: {ex}") from ex
91
+
92
+ if not token:
93
+ raise ServiceException("Authentication token cannot be acquired.")
94
+
95
+ return token
@@ -0,0 +1,339 @@
1
+ # Copyright (c) Microsoft. All rights reserved.
2
+
3
+ from collections.abc import AsyncIterable
4
+ from typing import Any, ClassVar
5
+
6
+ from agent_framework import (
7
+ AgentMiddlewares,
8
+ AgentRunResponse,
9
+ AgentRunResponseUpdate,
10
+ AgentThread,
11
+ AggregateContextProvider,
12
+ BaseAgent,
13
+ ChatMessage,
14
+ ContextProvider,
15
+ Role,
16
+ TextContent,
17
+ )
18
+ from agent_framework._pydantic import AFBaseSettings
19
+ from agent_framework.exceptions import ServiceException, ServiceInitializationError
20
+ from microsoft_agents.copilotstudio.client import AgentType, ConnectionSettings, CopilotClient, PowerPlatformCloud
21
+ from pydantic import ValidationError
22
+
23
+ from ._acquire_token import acquire_token
24
+
25
+
26
+ class CopilotStudioSettings(AFBaseSettings):
27
+ """Copilot Studio model settings.
28
+
29
+ The settings are first loaded from environment variables with the prefix 'COPILOTSTUDIOAGENT__'.
30
+ If the environment variables are not found, the settings can be loaded from a .env file
31
+ with the encoding 'utf-8'. If the settings are not found in the .env file, the settings
32
+ are ignored; however, validation will fail alerting that the settings are missing.
33
+
34
+ Keyword Args:
35
+ environmentid: Environment ID of environment with the Copilot Studio App.
36
+ Can be set via environment variable COPILOTSTUDIOAGENT__ENVIRONMENTID.
37
+ schemaname: The agent identifier or schema name of the Copilot to use.
38
+ Can be set via environment variable COPILOTSTUDIOAGENT__SCHEMANAME.
39
+ agentappid: The app ID of the App Registration used to login.
40
+ Can be set via environment variable COPILOTSTUDIOAGENT__AGENTAPPID.
41
+ tenantid: The tenant ID of the App Registration used to login.
42
+ Can be set via environment variable COPILOTSTUDIOAGENT__TENANTID.
43
+ env_file_path: If provided, the .env settings are read from this file path location.
44
+ env_file_encoding: The encoding of the .env file, defaults to 'utf-8'.
45
+
46
+ Examples:
47
+ .. code-block:: python
48
+
49
+ from agent_framework_copilotstudio import CopilotStudioSettings
50
+
51
+ # Using environment variables
52
+ # Set COPILOTSTUDIOAGENT__ENVIRONMENTID=env-123
53
+ # Set COPILOTSTUDIOAGENT__SCHEMANAME=my-agent
54
+ settings = CopilotStudioSettings()
55
+
56
+ # Or passing parameters directly
57
+ settings = CopilotStudioSettings(environmentid="env-123", schemaname="my-agent")
58
+
59
+ # Or loading from a .env file
60
+ settings = CopilotStudioSettings(env_file_path="path/to/.env")
61
+ """
62
+
63
+ env_prefix: ClassVar[str] = "COPILOTSTUDIOAGENT__"
64
+
65
+ environmentid: str | None = None
66
+ schemaname: str | None = None
67
+ agentappid: str | None = None
68
+ tenantid: str | None = None
69
+
70
+
71
+ class CopilotStudioAgent(BaseAgent):
72
+ """A Copilot Studio Agent."""
73
+
74
+ def __init__(
75
+ self,
76
+ client: CopilotClient | None = None,
77
+ settings: ConnectionSettings | None = None,
78
+ *,
79
+ id: str | None = None,
80
+ name: str | None = None,
81
+ description: str | None = None,
82
+ context_providers: ContextProvider | list[ContextProvider] | AggregateContextProvider | None = None,
83
+ middleware: AgentMiddlewares | list[AgentMiddlewares] | None = None,
84
+ environment_id: str | None = None,
85
+ agent_identifier: str | None = None,
86
+ client_id: str | None = None,
87
+ tenant_id: str | None = None,
88
+ token: str | None = None,
89
+ cloud: PowerPlatformCloud | None = None,
90
+ agent_type: AgentType | None = None,
91
+ custom_power_platform_cloud: str | None = None,
92
+ username: str | None = None,
93
+ token_cache: Any | None = None,
94
+ scopes: list[str] | None = None,
95
+ env_file_path: str | None = None,
96
+ env_file_encoding: str | None = None,
97
+ ) -> None:
98
+ """Initialize the Copilot Studio Agent.
99
+
100
+ Args:
101
+ client: Optional pre-configured CopilotClient instance. If not provided,
102
+ a new client will be created using the other parameters.
103
+ settings: Optional pre-configured ConnectionSettings. If not provided,
104
+ settings will be created from the other parameters.
105
+
106
+ Keyword Args:
107
+ id: id of the CopilotAgent
108
+ name: Name of the CopilotAgent
109
+ description: Description of the CopilotAgent
110
+ context_providers: Context Providers, to be used by the copilot agent.
111
+ middleware: Agent middlewares used by the agent.
112
+ environment_id: Environment ID of the Power Platform environment containing
113
+ the Copilot Studio app. Can also be set via COPILOTSTUDIOAGENT__ENVIRONMENTID
114
+ environment variable.
115
+ agent_identifier: The agent identifier or schema name of the Copilot to use.
116
+ Can also be set via COPILOTSTUDIOAGENT__SCHEMANAME environment variable.
117
+ client_id: The app ID of the App Registration used for authentication.
118
+ Can also be set via COPILOTSTUDIOAGENT__AGENTAPPID environment variable.
119
+ tenant_id: The tenant ID of the App Registration used for authentication.
120
+ Can also be set via COPILOTSTUDIOAGENT__TENANTID environment variable.
121
+ token: Optional pre-acquired authentication token. If not provided,
122
+ token acquisition will be attempted using MSAL.
123
+ cloud: The Power Platform cloud to use (Public, GCC, etc.).
124
+ agent_type: The type of Copilot Studio agent (Copilot, Agent, etc.).
125
+ custom_power_platform_cloud: Custom Power Platform cloud URL if using
126
+ a custom environment.
127
+ username: Optional username for token acquisition.
128
+ token_cache: Optional token cache for storing authentication tokens.
129
+ scopes: Optional list of authentication scopes. Defaults to Power Platform
130
+ API scopes if not provided.
131
+ env_file_path: Optional path to .env file for loading configuration.
132
+ env_file_encoding: Encoding of the .env file, defaults to 'utf-8'.
133
+
134
+ Raises:
135
+ ServiceInitializationError: If required configuration is missing or invalid.
136
+ """
137
+ super().__init__(
138
+ id=id,
139
+ name=name,
140
+ description=description,
141
+ context_providers=context_providers,
142
+ middleware=middleware,
143
+ )
144
+ if not client:
145
+ try:
146
+ copilot_studio_settings = CopilotStudioSettings(
147
+ environmentid=environment_id,
148
+ schemaname=agent_identifier,
149
+ agentappid=client_id,
150
+ tenantid=tenant_id,
151
+ env_file_path=env_file_path,
152
+ env_file_encoding=env_file_encoding,
153
+ )
154
+ except ValidationError as ex:
155
+ raise ServiceInitializationError("Failed to create Copilot Studio settings.", ex) from ex
156
+
157
+ if not settings:
158
+ if not copilot_studio_settings.environmentid:
159
+ raise ServiceInitializationError(
160
+ "Copilot Studio environment ID is required. Set via 'environment_id' parameter "
161
+ "or 'COPILOTSTUDIOAGENT__ENVIRONMENTID' environment variable."
162
+ )
163
+ if not copilot_studio_settings.schemaname:
164
+ raise ServiceInitializationError(
165
+ "Copilot Studio agent identifier/schema name is required. Set via 'agent_identifier' parameter "
166
+ "or 'COPILOTSTUDIOAGENT__SCHEMANAME' environment variable."
167
+ )
168
+
169
+ settings = ConnectionSettings(
170
+ environment_id=copilot_studio_settings.environmentid,
171
+ agent_identifier=copilot_studio_settings.schemaname,
172
+ cloud=cloud,
173
+ copilot_agent_type=agent_type,
174
+ custom_power_platform_cloud=custom_power_platform_cloud,
175
+ )
176
+
177
+ if not token:
178
+ if not copilot_studio_settings.agentappid:
179
+ raise ServiceInitializationError(
180
+ "Copilot Studio client ID is required. Set via 'client_id' parameter "
181
+ "or 'COPILOTSTUDIOAGENT__AGENTAPPID' environment variable."
182
+ )
183
+
184
+ if not copilot_studio_settings.tenantid:
185
+ raise ServiceInitializationError(
186
+ "Copilot Studio tenant ID is required. Set via 'tenant_id' parameter "
187
+ "or 'COPILOTSTUDIOAGENT__TENANTID' environment variable."
188
+ )
189
+
190
+ token = acquire_token(
191
+ client_id=copilot_studio_settings.agentappid,
192
+ tenant_id=copilot_studio_settings.tenantid,
193
+ username=username,
194
+ token_cache=token_cache,
195
+ scopes=scopes,
196
+ )
197
+
198
+ client = CopilotClient(settings=settings, token=token)
199
+
200
+ self.client = client
201
+ self.cloud = cloud
202
+ self.agent_type = agent_type
203
+ self.custom_power_platform_cloud = custom_power_platform_cloud
204
+ self.username = username
205
+ self.token_cache = token_cache
206
+ self.scopes = scopes
207
+
208
+ async def run(
209
+ self,
210
+ messages: str | ChatMessage | list[str] | list[ChatMessage] | None = None,
211
+ *,
212
+ thread: AgentThread | None = None,
213
+ **kwargs: Any,
214
+ ) -> AgentRunResponse:
215
+ """Get a response from the agent.
216
+
217
+ This method returns the final result of the agent's execution
218
+ as a single AgentRunResponse object. The caller is blocked until
219
+ the final result is available.
220
+
221
+ Note: For streaming responses, use the run_stream method, which returns
222
+ intermediate steps and the final result as a stream of AgentRunResponseUpdate
223
+ objects. Streaming only the final result is not feasible because the timing of
224
+ the final result's availability is unknown, and blocking the caller until then
225
+ is undesirable in streaming scenarios.
226
+
227
+ Args:
228
+ messages: The message(s) to send to the agent.
229
+
230
+ Keyword Args:
231
+ thread: The conversation thread associated with the message(s).
232
+ kwargs: Additional keyword arguments.
233
+
234
+ Returns:
235
+ An agent response item.
236
+ """
237
+ if not thread:
238
+ thread = self.get_new_thread()
239
+ thread.service_thread_id = await self._start_new_conversation()
240
+
241
+ input_messages = self._normalize_messages(messages)
242
+
243
+ question = "\n".join([message.text for message in input_messages])
244
+
245
+ activities = self.client.ask_question(question, thread.service_thread_id)
246
+ response_messages: list[ChatMessage] = []
247
+ response_id: str | None = None
248
+
249
+ response_messages = [message async for message in self._process_activities(activities, streaming=False)]
250
+ response_id = response_messages[0].message_id if response_messages else None
251
+
252
+ return AgentRunResponse(messages=response_messages, response_id=response_id)
253
+
254
+ async def run_stream(
255
+ self,
256
+ messages: str | ChatMessage | list[str] | list[ChatMessage] | None = None,
257
+ *,
258
+ thread: AgentThread | None = None,
259
+ **kwargs: Any,
260
+ ) -> AsyncIterable[AgentRunResponseUpdate]:
261
+ """Run the agent as a stream.
262
+
263
+ This method will return the intermediate steps and final results of the
264
+ agent's execution as a stream of AgentRunResponseUpdate objects to the caller.
265
+
266
+ Note: An AgentRunResponseUpdate object contains a chunk of a message.
267
+
268
+ Args:
269
+ messages: The message(s) to send to the agent.
270
+
271
+ Keyword Args:
272
+ thread: The conversation thread associated with the message(s).
273
+ kwargs: Additional keyword arguments.
274
+
275
+ Yields:
276
+ An agent response item.
277
+ """
278
+ if not thread:
279
+ thread = self.get_new_thread()
280
+ thread.service_thread_id = await self._start_new_conversation()
281
+
282
+ input_messages = self._normalize_messages(messages)
283
+
284
+ question = "\n".join([message.text for message in input_messages])
285
+
286
+ activities = self.client.ask_question(question, thread.service_thread_id)
287
+
288
+ async for message in self._process_activities(activities, streaming=True):
289
+ yield AgentRunResponseUpdate(
290
+ role=message.role,
291
+ contents=message.contents,
292
+ author_name=message.author_name,
293
+ raw_representation=message.raw_representation,
294
+ response_id=message.message_id,
295
+ message_id=message.message_id,
296
+ )
297
+
298
+ async def _start_new_conversation(self) -> str:
299
+ """Start a new conversation with the Copilot Studio agent.
300
+
301
+ Returns:
302
+ The conversation ID for the new conversation.
303
+
304
+ Raises:
305
+ ServiceException: If the conversation could not be started.
306
+ """
307
+ conversation_id: str | None = None
308
+
309
+ async for activity in self.client.start_conversation(emit_start_conversation_event=True):
310
+ if activity and activity.conversation and activity.conversation.id:
311
+ conversation_id = activity.conversation.id
312
+
313
+ if not conversation_id:
314
+ raise ServiceException("Failed to start a new conversation.")
315
+
316
+ return conversation_id
317
+
318
+ async def _process_activities(self, activities: AsyncIterable[Any], streaming: bool) -> AsyncIterable[ChatMessage]:
319
+ """Process activities from the Copilot Studio agent.
320
+
321
+ Args:
322
+ activities: Stream of activities from the agent.
323
+ streaming: Whether to process activities for streaming (typing activities)
324
+ or non-streaming (message activities) responses.
325
+
326
+ Yields:
327
+ ChatMessage objects created from the activities.
328
+ """
329
+ async for activity in activities:
330
+ if activity.text and (
331
+ (activity.type == "message" and not streaming) or (activity.type == "typing" and streaming)
332
+ ):
333
+ yield ChatMessage(
334
+ role=Role.ASSISTANT,
335
+ contents=[TextContent(activity.text)],
336
+ author_name=activity.from_property.name if activity.from_property else None,
337
+ message_id=activity.id,
338
+ raw_representation=activity,
339
+ )
@@ -0,0 +1,122 @@
1
+ Metadata-Version: 2.4
2
+ Name: agent-framework-copilotstudio
3
+ Version: 1.0.0b251007
4
+ Summary: Copilot Studio integration for Microsoft Agent Framework.
5
+ Author-email: Microsoft <af-support@microsoft.com>
6
+ Requires-Python: >=3.10
7
+ Description-Content-Type: text/markdown
8
+ Classifier: License :: OSI Approved :: MIT License
9
+ Classifier: Development Status :: 4 - Beta
10
+ Classifier: Intended Audience :: Developers
11
+ Classifier: Programming Language :: Python :: 3
12
+ Classifier: Programming Language :: Python :: 3.10
13
+ Classifier: Programming Language :: Python :: 3.11
14
+ Classifier: Programming Language :: Python :: 3.12
15
+ Classifier: Programming Language :: Python :: 3.13
16
+ Classifier: Typing :: Typed
17
+ License-File: LICENSE
18
+ Requires-Dist: agent-framework-core
19
+ Requires-Dist: microsoft-agents-copilotstudio-client>=0.3.1
20
+ Project-URL: homepage, https://aka.ms/agent-framework
21
+ Project-URL: issues, https://github.com/microsoft/agent-framework/issues
22
+ Project-URL: release_notes, https://github.com/microsoft/agent-framework/releases?q=tag%3Apython-1&expanded=true
23
+ Project-URL: source, https://github.com/microsoft/agent-framework/tree/main/python
24
+
25
+ # Get Started with Microsoft Agent Framework Copilot Studio
26
+
27
+ Please install this package via pip:
28
+
29
+ ```bash
30
+ pip install agent-framework-copilotstudio --pre
31
+ ```
32
+
33
+ ## Copilot Studio Agent
34
+
35
+ The Copilot Studio agent enables integration with Microsoft Copilot Studio, allowing you to interact with published copilots through the Agent Framework.
36
+
37
+ ### Prerequisites
38
+
39
+ Before using the Copilot Studio agent, you need:
40
+
41
+ 1. **Copilot Studio Environment**: Access to a Microsoft Copilot Studio environment with a published copilot
42
+ 2. **App Registration**: An Azure AD App Registration with appropriate permissions for Power Platform API
43
+ 3. **Environment Configuration**: Set the required environment variables or pass them as parameters
44
+
45
+ ### Environment Variables
46
+
47
+ The following environment variables are used for configuration:
48
+
49
+ - `COPILOTSTUDIOAGENT__ENVIRONMENTID` - Your Copilot Studio environment ID
50
+ - `COPILOTSTUDIOAGENT__SCHEMANAME` - Your copilot's agent identifier/schema name
51
+ - `COPILOTSTUDIOAGENT__AGENTAPPID` - Your App Registration client ID
52
+ - `COPILOTSTUDIOAGENT__TENANTID` - Your Azure AD tenant ID
53
+
54
+ ### Basic Usage Example
55
+
56
+ ```python
57
+ import asyncio
58
+ from agent_framework.microsoft import CopilotStudioAgent
59
+
60
+ async def main():
61
+ # Create agent using environment variables
62
+ agent = CopilotStudioAgent()
63
+
64
+ # Run a simple query
65
+ result = await agent.run("What is the capital of France?")
66
+ print(result)
67
+
68
+ asyncio.run(main())
69
+ ```
70
+
71
+ ### Explicit Configuration Example
72
+
73
+ ```python
74
+ import asyncio
75
+ import os
76
+ from agent_framework.microsoft import CopilotStudioAgent, acquire_token
77
+ from microsoft_agents.copilotstudio.client import ConnectionSettings, CopilotClient, PowerPlatformCloud, AgentType
78
+
79
+ async def main():
80
+ # Acquire authentication token
81
+ token = acquire_token(
82
+ client_id=os.environ["COPILOTSTUDIOAGENT__AGENTAPPID"],
83
+ tenant_id=os.environ["COPILOTSTUDIOAGENT__TENANTID"]
84
+ )
85
+
86
+ # Create connection settings
87
+ settings = ConnectionSettings(
88
+ environment_id=os.environ["COPILOTSTUDIOAGENT__ENVIRONMENTID"],
89
+ agent_identifier=os.environ["COPILOTSTUDIOAGENT__SCHEMANAME"],
90
+ cloud=PowerPlatformCloud.PROD,
91
+ copilot_agent_type=AgentType.PUBLISHED,
92
+ custom_power_platform_cloud=None
93
+ )
94
+
95
+ # Create client and agent
96
+ client = CopilotClient(settings=settings, token=token)
97
+ agent = CopilotStudioAgent(client=client)
98
+
99
+ # Run a query
100
+ result = await agent.run("What is the capital of Italy?")
101
+ print(result)
102
+
103
+ asyncio.run(main())
104
+ ```
105
+
106
+ ### Authentication
107
+
108
+ The package uses MSAL (Microsoft Authentication Library) for authentication with interactive flows when needed. Ensure your App Registration has:
109
+
110
+ - **API Permissions**: Power Platform API permissions (https://api.powerplatform.com/.default)
111
+ - **Redirect URIs**: Configured appropriately for your authentication method
112
+ - **Public Client Flows**: Enabled if using interactive authentication
113
+
114
+ ### Examples
115
+
116
+ For more comprehensive examples, see the [Copilot Studio examples](https://github.com/microsoft/agent-framework/tree/main/python/samples/getting_started/agents/copilotstudio/) which demonstrate:
117
+
118
+ - Basic non-streaming and streaming execution
119
+ - Explicit settings and manual token acquisition
120
+ - Different authentication patterns
121
+ - Error handling and troubleshooting
122
+
@@ -0,0 +1,7 @@
1
+ agent_framework_copilotstudio/__init__.py,sha256=n5OgoxpgvDY7Ttcgjcd0UG55d2fDmtWt6NmgvxYQOaU,391
2
+ agent_framework_copilotstudio/_acquire_token.py,sha256=LzG4_U7jJyghDIndGJfV6tMq7LgfCpN2WaGXS8r83NQ,3675
3
+ agent_framework_copilotstudio/_agent.py,sha256=WB_nR2Yvt86FAlHeQj3Zd-XKMgSisfOHbH6bwSxUh5o,14558
4
+ agent_framework_copilotstudio-1.0.0b251007.dist-info/licenses/LICENSE,sha256=ws_MuBL-SCEBqPBFl9_FqZkaaydIJmxHrJG2parhU4M,1141
5
+ agent_framework_copilotstudio-1.0.0b251007.dist-info/WHEEL,sha256=G2gURzTEtmeR8nrdXUJfNiB3VYVxigPQ-bEQujpNiNs,82
6
+ agent_framework_copilotstudio-1.0.0b251007.dist-info/METADATA,sha256=L5tvbezAstA8lAkhqWH0NL5SRMvB2Gpp5wePyWJiD1s,4430
7
+ agent_framework_copilotstudio-1.0.0b251007.dist-info/RECORD,,
File without changes
@@ -1,2 +0,0 @@
1
- __all__ = []
2
- __version__ = "0.0.0a1"
@@ -1,10 +0,0 @@
1
- Metadata-Version: 2.4
2
- Name: agent-framework-copilotstudio
3
- Version: 0.0.0a1
4
- Summary: Microsoft Agent Framework Copilot Studio.
5
- Author-email: Microsoft <af-support@microsoft.com>
6
- Requires-Python: >=3.10
7
- Description-Content-Type: text/markdown
8
- License-File: LICENSE
9
-
10
- # Microsoft Agent Framework
@@ -1,6 +0,0 @@
1
- agent_framework/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
2
- agent_framework/copilotstudio/__init__.py,sha256=2QmzeTK86ywELzkXAmeO5e3TReaUUO41BkP3PbPwoos,37
3
- agent_framework_copilotstudio-0.0.0a1.dist-info/licenses/LICENSE,sha256=ws_MuBL-SCEBqPBFl9_FqZkaaydIJmxHrJG2parhU4M,1141
4
- agent_framework_copilotstudio-0.0.0a1.dist-info/WHEEL,sha256=G2gURzTEtmeR8nrdXUJfNiB3VYVxigPQ-bEQujpNiNs,82
5
- agent_framework_copilotstudio-0.0.0a1.dist-info/METADATA,sha256=S4VvRk-wRyTJLMI3gP0766e5viPjE7rGKt9iU-nyLwo,292
6
- agent_framework_copilotstudio-0.0.0a1.dist-info/RECORD,,