langchain-core 0.3.73__py3-none-any.whl → 0.3.75__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 langchain-core might be problematic. Click here for more details.

Files changed (42) hide show
  1. langchain_core/_api/beta_decorator.py +2 -2
  2. langchain_core/_api/deprecation.py +1 -1
  3. langchain_core/beta/runnables/context.py +1 -1
  4. langchain_core/callbacks/file.py +13 -2
  5. langchain_core/callbacks/manager.py +55 -16
  6. langchain_core/chat_history.py +6 -6
  7. langchain_core/documents/base.py +1 -1
  8. langchain_core/documents/compressor.py +9 -6
  9. langchain_core/indexing/base.py +2 -2
  10. langchain_core/language_models/base.py +33 -19
  11. langchain_core/language_models/chat_models.py +39 -20
  12. langchain_core/language_models/fake_chat_models.py +5 -4
  13. langchain_core/load/dump.py +3 -4
  14. langchain_core/messages/ai.py +4 -1
  15. langchain_core/messages/modifier.py +1 -1
  16. langchain_core/messages/tool.py +3 -3
  17. langchain_core/messages/utils.py +18 -17
  18. langchain_core/output_parsers/openai_tools.py +2 -0
  19. langchain_core/output_parsers/transform.py +2 -2
  20. langchain_core/output_parsers/xml.py +4 -3
  21. langchain_core/prompts/chat.py +1 -3
  22. langchain_core/runnables/base.py +507 -451
  23. langchain_core/runnables/branch.py +1 -1
  24. langchain_core/runnables/config.py +2 -2
  25. langchain_core/runnables/fallbacks.py +4 -4
  26. langchain_core/runnables/graph.py +3 -3
  27. langchain_core/runnables/history.py +1 -1
  28. langchain_core/runnables/passthrough.py +3 -3
  29. langchain_core/runnables/retry.py +1 -1
  30. langchain_core/runnables/router.py +1 -1
  31. langchain_core/structured_query.py +3 -7
  32. langchain_core/tools/base.py +8 -1
  33. langchain_core/tools/structured.py +1 -1
  34. langchain_core/tracers/_streaming.py +6 -7
  35. langchain_core/tracers/event_stream.py +1 -1
  36. langchain_core/tracers/log_stream.py +1 -1
  37. langchain_core/utils/function_calling.py +23 -10
  38. langchain_core/version.py +1 -1
  39. {langchain_core-0.3.73.dist-info → langchain_core-0.3.75.dist-info}/METADATA +6 -8
  40. {langchain_core-0.3.73.dist-info → langchain_core-0.3.75.dist-info}/RECORD +42 -42
  41. {langchain_core-0.3.73.dist-info → langchain_core-0.3.75.dist-info}/WHEEL +0 -0
  42. {langchain_core-0.3.73.dist-info → langchain_core-0.3.75.dist-info}/entry_points.txt +0 -0
@@ -136,7 +136,7 @@ class RunnableBranch(RunnableSerializable[Input, Output]):
136
136
  super().__init__(
137
137
  branches=branches_,
138
138
  default=default_,
139
- ) # type: ignore[call-arg]
139
+ )
140
140
 
141
141
  model_config = ConfigDict(
142
142
  arbitrary_types_allowed=True,
@@ -402,7 +402,7 @@ def call_func_with_variable_args(
402
402
  Callable[[Input, CallbackManagerForChainRun], Output],
403
403
  Callable[[Input, CallbackManagerForChainRun, RunnableConfig], Output],
404
404
  ],
405
- input: Input, # noqa: A002
405
+ input: Input,
406
406
  config: RunnableConfig,
407
407
  run_manager: Optional[CallbackManagerForChainRun] = None,
408
408
  **kwargs: Any,
@@ -439,7 +439,7 @@ def acall_func_with_variable_args(
439
439
  Awaitable[Output],
440
440
  ],
441
441
  ],
442
- input: Input, # noqa: A002
442
+ input: Input,
443
443
  config: RunnableConfig,
444
444
  run_manager: Optional[AsyncCallbackManagerForChainRun] = None,
445
445
  **kwargs: Any,
@@ -5,7 +5,7 @@ import inspect
5
5
  import typing
6
6
  from collections.abc import AsyncIterator, Iterator, Sequence
7
7
  from functools import wraps
8
- from typing import TYPE_CHECKING, Any, Optional, Union
8
+ from typing import TYPE_CHECKING, Any, Optional, Union, cast
9
9
 
10
10
  from pydantic import BaseModel, ConfigDict
11
11
  from typing_extensions import override
@@ -397,7 +397,7 @@ class RunnableWithFallbacks(RunnableSerializable[Input, Output]):
397
397
  )
398
398
  )
399
399
 
400
- to_return = {}
400
+ to_return: dict[int, Union[Output, BaseException]] = {}
401
401
  run_again = dict(enumerate(inputs))
402
402
  handled_exceptions: dict[int, BaseException] = {}
403
403
  first_to_raise = None
@@ -447,7 +447,7 @@ class RunnableWithFallbacks(RunnableSerializable[Input, Output]):
447
447
  if not return_exceptions and sorted_handled_exceptions:
448
448
  raise sorted_handled_exceptions[0][1]
449
449
  to_return.update(handled_exceptions)
450
- return [output for _, output in sorted(to_return.items())] # type: ignore[misc]
450
+ return [cast("Output", output) for _, output in sorted(to_return.items())]
451
451
 
452
452
  @override
453
453
  def stream(
@@ -569,7 +569,7 @@ class RunnableWithFallbacks(RunnableSerializable[Input, Output]):
569
569
  async for chunk in stream:
570
570
  yield chunk
571
571
  try:
572
- output = output + chunk
572
+ output = output + chunk # type: ignore[operator]
573
573
  except TypeError:
574
574
  output = None
575
575
  except BaseException as e:
@@ -114,7 +114,7 @@ class Node(NamedTuple):
114
114
  def copy(
115
115
  self,
116
116
  *,
117
- id: Optional[str] = None, # noqa: A002
117
+ id: Optional[str] = None,
118
118
  name: Optional[str] = None,
119
119
  ) -> Node:
120
120
  """Return a copy of the node with optional new id and name.
@@ -187,7 +187,7 @@ class MermaidDrawMethod(Enum):
187
187
 
188
188
 
189
189
  def node_data_str(
190
- id: str, # noqa: A002
190
+ id: str,
191
191
  data: Union[type[BaseModel], RunnableType, None],
192
192
  ) -> str:
193
193
  """Convert the data of a node to a string.
@@ -328,7 +328,7 @@ class Graph:
328
328
  def add_node(
329
329
  self,
330
330
  data: Union[type[BaseModel], RunnableType, None],
331
- id: Optional[str] = None, # noqa: A002
331
+ id: Optional[str] = None,
332
332
  *,
333
333
  metadata: Optional[dict[str, Any]] = None,
334
334
  ) -> Node:
@@ -38,7 +38,7 @@ MessagesOrDictWithMessages = Union[Sequence["BaseMessage"], dict[str, Any]]
38
38
  GetSessionHistoryCallable = Callable[..., BaseChatMessageHistory]
39
39
 
40
40
 
41
- class RunnableWithMessageHistory(RunnableBindingBase):
41
+ class RunnableWithMessageHistory(RunnableBindingBase): # type: ignore[no-redef]
42
42
  """Runnable that manages chat message history for another Runnable.
43
43
 
44
44
  A chat message history is a sequence of messages that represent a conversation.
@@ -186,7 +186,7 @@ class RunnablePassthrough(RunnableSerializable[Other, Other]):
186
186
  afunc = func
187
187
  func = None
188
188
 
189
- super().__init__(func=func, afunc=afunc, input_type=input_type, **kwargs) # type: ignore[call-arg]
189
+ super().__init__(func=func, afunc=afunc, input_type=input_type, **kwargs)
190
190
 
191
191
  @classmethod
192
192
  @override
@@ -406,7 +406,7 @@ class RunnableAssign(RunnableSerializable[dict[str, Any], dict[str, Any]]):
406
406
  mapper: A ``RunnableParallel`` instance that will be used to transform the
407
407
  input dictionary.
408
408
  """
409
- super().__init__(mapper=mapper, **kwargs) # type: ignore[call-arg]
409
+ super().__init__(mapper=mapper, **kwargs)
410
410
 
411
411
  @classmethod
412
412
  @override
@@ -710,7 +710,7 @@ class RunnablePick(RunnableSerializable[dict[str, Any], dict[str, Any]]):
710
710
  Args:
711
711
  keys: A single key or a list of keys to pick from the input dictionary.
712
712
  """
713
- super().__init__(keys=keys, **kwargs) # type: ignore[call-arg]
713
+ super().__init__(keys=keys, **kwargs)
714
714
 
715
715
  @classmethod
716
716
  @override
@@ -47,7 +47,7 @@ class ExponentialJitterParams(TypedDict, total=False):
47
47
  """Random additional wait sampled from random.uniform(0, jitter)."""
48
48
 
49
49
 
50
- class RunnableRetry(RunnableBindingBase[Input, Output]):
50
+ class RunnableRetry(RunnableBindingBase[Input, Output]): # type: ignore[no-redef]
51
51
  """Retry a Runnable if it fails.
52
52
 
53
53
  RunnableRetry can be used to add retry logic to any object
@@ -87,7 +87,7 @@ class RouterRunnable(RunnableSerializable[RouterInput, Output]):
87
87
  Args:
88
88
  runnables: A mapping of keys to Runnables.
89
89
  """
90
- super().__init__( # type: ignore[call-arg]
90
+ super().__init__(
91
91
  runnables={key: coerce_to_runnable(r) for key, r in runnables.items()}
92
92
  )
93
93
 
@@ -143,7 +143,7 @@ class Comparison(FilterDirective):
143
143
  value: The value to compare to.
144
144
  """
145
145
  # super exists from BaseModel
146
- super().__init__( # type: ignore[call-arg]
146
+ super().__init__(
147
147
  comparator=comparator, attribute=attribute, value=value, **kwargs
148
148
  )
149
149
 
@@ -166,9 +166,7 @@ class Operation(FilterDirective):
166
166
  arguments: The arguments to the operator.
167
167
  """
168
168
  # super exists from BaseModel
169
- super().__init__( # type: ignore[call-arg]
170
- operator=operator, arguments=arguments, **kwargs
171
- )
169
+ super().__init__(operator=operator, arguments=arguments, **kwargs)
172
170
 
173
171
 
174
172
  class StructuredQuery(Expr):
@@ -196,6 +194,4 @@ class StructuredQuery(Expr):
196
194
  limit: The limit on the number of results.
197
195
  """
198
196
  # super exists from BaseModel
199
- super().__init__( # type: ignore[call-arg]
200
- query=query, filter=filter, limit=limit, **kwargs
201
- )
197
+ super().__init__(query=query, filter=filter, limit=limit, **kwargs)
@@ -74,7 +74,14 @@ if TYPE_CHECKING:
74
74
  from collections.abc import Sequence
75
75
 
76
76
  FILTERED_ARGS = ("run_manager", "callbacks")
77
- TOOL_MESSAGE_BLOCK_TYPES = ("text", "image_url", "image", "json", "search_result")
77
+ TOOL_MESSAGE_BLOCK_TYPES = (
78
+ "text",
79
+ "image_url",
80
+ "image",
81
+ "json",
82
+ "search_result",
83
+ "custom_tool_call_output",
84
+ )
78
85
 
79
86
 
80
87
  class SchemaAnnotationError(TypeError):
@@ -228,7 +228,7 @@ class StructuredTool(BaseTool):
228
228
  name=name,
229
229
  func=func,
230
230
  coroutine=coroutine,
231
- args_schema=args_schema, # type: ignore[arg-type]
231
+ args_schema=args_schema,
232
232
  description=description_,
233
233
  return_direct=return_direct,
234
234
  response_format=response_format,
@@ -1,15 +1,16 @@
1
1
  """Internal tracers used for stream_log and astream events implementations."""
2
2
 
3
- import abc
3
+ import typing
4
4
  from collections.abc import AsyncIterator, Iterator
5
- from typing import TypeVar
6
5
  from uuid import UUID
7
6
 
8
- T = TypeVar("T")
7
+ T = typing.TypeVar("T")
9
8
 
10
9
 
11
- class _StreamingCallbackHandler(abc.ABC):
12
- """For internal use.
10
+ # THIS IS USED IN LANGGRAPH.
11
+ @typing.runtime_checkable
12
+ class _StreamingCallbackHandler(typing.Protocol[T]):
13
+ """Types for streaming callback handlers.
13
14
 
14
15
  This is a common mixin that the callback handlers
15
16
  for both astream events and astream log inherit from.
@@ -18,13 +19,11 @@ class _StreamingCallbackHandler(abc.ABC):
18
19
  to produce callbacks for intermediate results.
19
20
  """
20
21
 
21
- @abc.abstractmethod
22
22
  def tap_output_aiter(
23
23
  self, run_id: UUID, output: AsyncIterator[T]
24
24
  ) -> AsyncIterator[T]:
25
25
  """Used for internal astream_log and astream events implementations."""
26
26
 
27
- @abc.abstractmethod
28
27
  def tap_output_iter(self, run_id: UUID, output: Iterator[T]) -> Iterator[T]:
29
28
  """Used for internal astream_log and astream events implementations."""
30
29
 
@@ -999,7 +999,7 @@ async def _astream_events_implementation_v2(
999
999
  continue
1000
1000
 
1001
1001
  # If it's the end event corresponding to the root runnable
1002
- # we dont include the input in the event since it's guaranteed
1002
+ # we don't include the input in the event since it's guaranteed
1003
1003
  # to be included in the first event.
1004
1004
  if (
1005
1005
  event["run_id"] == first_event_run_id
@@ -176,7 +176,7 @@ class RunLog(RunLogPatch):
176
176
  # Then compare that the ops are the same
177
177
  return super().__eq__(other)
178
178
 
179
- __hash__ = None # type: ignore[assignment]
179
+ __hash__ = None
180
180
 
181
181
 
182
182
  T = TypeVar("T")
@@ -277,7 +277,7 @@ def _convert_any_typed_dicts_to_pydantic(
277
277
  )
278
278
  fields: dict = {}
279
279
  for arg, arg_type in annotations_.items():
280
- if get_origin(arg_type) is Annotated:
280
+ if get_origin(arg_type) is Annotated: # type: ignore[comparison-overlap]
281
281
  annotated_args = get_args(arg_type)
282
282
  new_arg_type = _convert_any_typed_dicts_to_pydantic(
283
283
  annotated_args[0], depth=depth + 1, visited=visited
@@ -575,12 +575,23 @@ def convert_to_openai_tool(
575
575
 
576
576
  Added support for OpenAI's image generation built-in tool.
577
577
  """
578
+ from langchain_core.tools import Tool
579
+
578
580
  if isinstance(tool, dict):
579
581
  if tool.get("type") in _WellKnownOpenAITools:
580
582
  return tool
581
583
  # As of 03.12.25 can be "web_search_preview" or "web_search_preview_2025_03_11"
582
584
  if (tool.get("type") or "").startswith("web_search_preview"):
583
585
  return tool
586
+ if isinstance(tool, Tool) and (tool.metadata or {}).get("type") == "custom_tool":
587
+ oai_tool = {
588
+ "type": "custom",
589
+ "name": tool.name,
590
+ "description": tool.description,
591
+ }
592
+ if tool.metadata is not None and "format" in tool.metadata:
593
+ oai_tool["format"] = tool.metadata["format"]
594
+ return oai_tool
584
595
  oai_function = convert_to_openai_function(tool, strict=strict)
585
596
  return {"type": "function", "function": oai_function}
586
597
 
@@ -616,7 +627,7 @@ def convert_to_json_schema(
616
627
 
617
628
  @beta()
618
629
  def tool_example_to_messages(
619
- input: str, # noqa: A002
630
+ input: str,
620
631
  tool_calls: list[BaseModel],
621
632
  tool_outputs: Optional[list[str]] = None,
622
633
  *,
@@ -629,15 +640,16 @@ def tool_example_to_messages(
629
640
 
630
641
  The list of messages per example by default corresponds to:
631
642
 
632
- 1) HumanMessage: contains the content from which content should be extracted.
633
- 2) AIMessage: contains the extracted information from the model
634
- 3) ToolMessage: contains confirmation to the model that the model requested a tool
635
- correctly.
643
+ 1. ``HumanMessage``: contains the content from which content should be extracted.
644
+ 2. ``AIMessage``: contains the extracted information from the model
645
+ 3. ``ToolMessage``: contains confirmation to the model that the model requested a
646
+ tool correctly.
636
647
 
637
- If `ai_response` is specified, there will be a final AIMessage with that response.
648
+ If ``ai_response`` is specified, there will be a final ``AIMessage`` with that
649
+ response.
638
650
 
639
- The ToolMessage is required because some chat models are hyper-optimized for agents
640
- rather than for an extraction use case.
651
+ The ``ToolMessage`` is required because some chat models are hyper-optimized for
652
+ agents rather than for an extraction use case.
641
653
 
642
654
  Arguments:
643
655
  input: string, the user input
@@ -646,7 +658,7 @@ def tool_example_to_messages(
646
658
  tool_outputs: Optional[list[str]], a list of tool call outputs.
647
659
  Does not need to be provided. If not provided, a placeholder value
648
660
  will be inserted. Defaults to None.
649
- ai_response: Optional[str], if provided, content for a final AIMessage.
661
+ ai_response: Optional[str], if provided, content for a final ``AIMessage``.
650
662
 
651
663
  Returns:
652
664
  A list of messages
@@ -728,6 +740,7 @@ def _parse_google_docstring(
728
740
  """Parse the function and argument descriptions from the docstring of a function.
729
741
 
730
742
  Assumes the function docstring follows Google Python style guide.
743
+
731
744
  """
732
745
  if docstring:
733
746
  docstring_blocks = docstring.split("\n\n")
langchain_core/version.py CHANGED
@@ -1,3 +1,3 @@
1
1
  """langchain-core version information and utilities."""
2
2
 
3
- VERSION = "0.3.73"
3
+ VERSION = "0.3.75"
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.1
2
2
  Name: langchain-core
3
- Version: 0.3.73
3
+ Version: 0.3.75
4
4
  Summary: Building applications with LLMs through composability
5
5
  License: MIT
6
6
  Project-URL: Source Code, https://github.com/langchain-ai/langchain/tree/master/libs/core
@@ -39,13 +39,13 @@ For full documentation see the [API reference](https://python.langchain.com/api_
39
39
 
40
40
  ## 1️⃣ Core Interface: Runnables
41
41
 
42
- The concept of a Runnable is central to LangChain Core – it is the interface that most LangChain Core components implement, giving them
42
+ The concept of a `Runnable` is central to LangChain Core – it is the interface that most LangChain Core components implement, giving them
43
43
 
44
- - a common invocation interface (invoke, batch, stream, etc.)
44
+ - a common invocation interface (`invoke()`, `batch()`, `stream()`, etc.)
45
45
  - built-in utilities for retries, fallbacks, schemas and runtime configurability
46
- - easy deployment with [LangServe](https://github.com/langchain-ai/langserve)
46
+ - easy deployment with [LangGraph](https://github.com/langchain-ai/langgraph)
47
47
 
48
- For more check out the [runnable docs](https://python.langchain.com/docs/expression_language/interface). Examples of components that implement the interface include: LLMs, Chat Models, Prompts, Retrievers, Tools, Output Parsers.
48
+ For more check out the [runnable docs](https://python.langchain.com/docs/concepts/runnables/). Examples of components that implement the interface include: LLMs, Chat Models, Prompts, Retrievers, Tools, Output Parsers.
49
49
 
50
50
  You can use LangChain Core objects in two ways:
51
51
 
@@ -69,7 +69,7 @@ LangChain Expression Language (LCEL) is a _declarative language_ for composing L
69
69
 
70
70
  LangChain Core compiles LCEL sequences to an _optimized execution plan_, with automatic parallelization, streaming, tracing, and async support.
71
71
 
72
- For more check out the [LCEL docs](https://python.langchain.com/docs/expression_language/).
72
+ For more check out the [LCEL docs](https://python.langchain.com/docs/concepts/lcel/).
73
73
 
74
74
  ![Diagram outlining the hierarchical organization of the LangChain framework, displaying the interconnected parts across multiple layers.](https://raw.githubusercontent.com/langchain-ai/langchain/master/docs/static/svg/langchain_stack_112024.svg "LangChain Framework Overview")
75
75
 
@@ -77,8 +77,6 @@ For more advanced use cases, also check out [LangGraph](https://github.com/langc
77
77
 
78
78
  ## 📕 Releases & Versioning
79
79
 
80
- `langchain-core` is currently on version `0.1.x`.
81
-
82
80
  As `langchain-core` contains the base abstractions and runtime for the whole LangChain ecosystem, we will communicate any breaking changes with advance notice and version bumps. The exception for this is anything in `langchain_core.beta`. The reason for `langchain_core.beta` is that given the rate of change of the field, being able to move quickly is still a priority, and this module is our attempt to do so.
83
81
 
84
82
  Minor version increases will occur for:
@@ -1,26 +1,26 @@
1
- langchain_core-0.3.73.dist-info/METADATA,sha256=CLA8OfifefiRjj2ymWS-y6ccJsfdFrQ-uXVs1VS_9kI,5767
2
- langchain_core-0.3.73.dist-info/WHEEL,sha256=9P2ygRxDrTJz3gsagc0Z96ukrxjr-LFBGOgv3AuKlCA,90
3
- langchain_core-0.3.73.dist-info/entry_points.txt,sha256=6OYgBcLyFCUgeqLgnvMyOJxPCWzgy7se4rLPKtNonMs,34
1
+ langchain_core-0.3.75.dist-info/METADATA,sha256=4bfp0MxOsonXbrNYiFGaMFugFDR5JPE6ov0RoHPgtvY,5714
2
+ langchain_core-0.3.75.dist-info/WHEEL,sha256=9P2ygRxDrTJz3gsagc0Z96ukrxjr-LFBGOgv3AuKlCA,90
3
+ langchain_core-0.3.75.dist-info/entry_points.txt,sha256=6OYgBcLyFCUgeqLgnvMyOJxPCWzgy7se4rLPKtNonMs,34
4
4
  langchain_core/__init__.py,sha256=TgvhxbrjCRVJwr2HddiyHvtH8W94K-uLM6-6ifNIBXo,713
5
5
  langchain_core/_api/__init__.py,sha256=WDOMw4faVuscjDCL5ttnRQNienJP_M9vGMmJUXS6L5w,1976
6
- langchain_core/_api/beta_decorator.py,sha256=4rd0VX6SE5pxJ1zrO25bQ7UyL3ASellXuwEOys9LCG8,9943
7
- langchain_core/_api/deprecation.py,sha256=BIoHkcOFnpPLZxGVzk-HcSdhZxCkTjTUDP_1dd2lJ28,20502
6
+ langchain_core/_api/beta_decorator.py,sha256=uN-N3vGj7-56mNbXw-eh7I-Cvgrt4V4YOoz-7jLQl1Y,9908
7
+ langchain_core/_api/deprecation.py,sha256=saz1AgjiYCkDMBIZb2kBVtznMfn2g9-HlCvEef1rhjs,20491
8
8
  langchain_core/_api/internal.py,sha256=aOZkYANu747LyWzyAk-0KE4RjdTYj18Wtlh7F9_qyPM,683
9
9
  langchain_core/_api/path.py,sha256=M93Jo_1CUpShRyqB6m___Qjczm1RU1D7yb4LSGaiysk,984
10
10
  langchain_core/_import_utils.py,sha256=AXmqapJmqEIYMY7qeA9SF8NmOkWse1ZYfTrljRxnPPo,1265
11
11
  langchain_core/agents.py,sha256=r2GDNZeHrGR83URVMBn_-q18enwg1o-1aZlTlke3ep0,8466
12
12
  langchain_core/beta/__init__.py,sha256=8phOlCdTByvzqN1DR4CU_rvaO4SDRebKATmFKj0B5Nw,68
13
13
  langchain_core/beta/runnables/__init__.py,sha256=KPVZTs2phF46kEB7mn0M75UeSw8nylbTZ4HYpLT0ywE,17
14
- langchain_core/beta/runnables/context.py,sha256=98M3MUZJyqh6wWCoADbPZZRS7gaOqeeIhYhkCwReF4s,13454
14
+ langchain_core/beta/runnables/context.py,sha256=rG2tVRYeU4LVQWI0wJDFQ_80puK8Ku339SxeKVkrvVc,13428
15
15
  langchain_core/caches.py,sha256=d_6h0Bb0h7sLK0mrQ1BwSljJKnLBvKvoXQMVSnpcqlI,9665
16
16
  langchain_core/callbacks/__init__.py,sha256=jXp7StVQk5GeWudGtnnkFV_L-WHCl44ESznc6-0pOVg,4347
17
17
  langchain_core/callbacks/base.py,sha256=M1Vs2LZKtZnjW-IObhjzX-is5GWz8NTugAXRujUxl1w,37005
18
- langchain_core/callbacks/file.py,sha256=dmHb2mQWP6jobMXqJoUdoHllalJQe9S7Vsb15vyYPF4,8513
19
- langchain_core/callbacks/manager.py,sha256=LAfqnERJXeAAk9KNrJC-7WN4CV5RUGIdM07busZ5bzs,90533
18
+ langchain_core/callbacks/file.py,sha256=dLBuDRqeLxOBTB9k6c9KEh8dx5UgGfQ9uUF-dhiykZM,8532
19
+ langchain_core/callbacks/manager.py,sha256=EbCcGeaDyjGEF5SWN1LqXyLDeYXbrfGAKwQES5iFO6Q,90617
20
20
  langchain_core/callbacks/stdout.py,sha256=hQ1gjpshNHGdbCS8cH6_oTc4nM8tCWzGNXrbm9dJeaY,4113
21
21
  langchain_core/callbacks/streaming_stdout.py,sha256=92UQWxL9HBzdCpn47AF-ZE_jGkkebMn2Z_l24ndMBMI,4646
22
22
  langchain_core/callbacks/usage.py,sha256=NdGNKiIH5GSVtB6JPnIs9sr-riZi8b2kq2d298WoiH0,5062
23
- langchain_core/chat_history.py,sha256=7c3icxT61vSeqJvUwtq4PRTv2bWn6bQUDBFigAT8PmE,8503
23
+ langchain_core/chat_history.py,sha256=bZKN2oM6AkZBnPvHq9ETgW6uHwbvX-5911pX1ty-G3A,8491
24
24
  langchain_core/chat_loaders.py,sha256=b57Gl3KGPxq9gYJjetsHfJm1I6kSqi7bDE91fJJOR84,601
25
25
  langchain_core/chat_sessions.py,sha256=YEO3ck5_wRGd3a2EnGD7M_wTvNC_4T1IVjQWekagwaM,564
26
26
  langchain_core/document_loaders/__init__.py,sha256=DkZPp9cEVmsnz9SM1xtuefH_fGQFvA2WtpRG6iePPBs,975
@@ -28,8 +28,8 @@ langchain_core/document_loaders/base.py,sha256=PTU4lHoJ3I3jj8jmu4szHyEx5KYLZLSaR
28
28
  langchain_core/document_loaders/blob_loaders.py,sha256=4m1k8boiwXw3z4yMYT8bnYUA-eGTPtEZyUxZvI3GbTs,1077
29
29
  langchain_core/document_loaders/langsmith.py,sha256=8jswTKVGOti38tS-rWE0zCqW6aPdHQkhwZGDLBBc1jc,5417
30
30
  langchain_core/documents/__init__.py,sha256=KT_l-TSINKrTXldw5n57wx1yGBtJmGAGxAQL0ceQefc,850
31
- langchain_core/documents/base.py,sha256=kuuvoSXZeo2DDBH7gi8WG2WC7YYvjNvl-Viu76PnAS8,10101
32
- langchain_core/documents/compressor.py,sha256=pbabH4kKqBplmdtMzNLlEaP7JATwQW22W0Y8AGmU5kA,1992
31
+ langchain_core/documents/base.py,sha256=F86qeVfN_ZobwRRQYSZI-Cwnt8bczXjjlu0DLTuQp0k,10075
32
+ langchain_core/documents/compressor.py,sha256=91aCQC3W4XMoFXtAmlOCSPb8pSdrirY6Lg8ZLBxTX4s,2001
33
33
  langchain_core/documents/transformers.py,sha256=Nym6dVdg6S3ktfNsTzdg5iuk9-dbutPoK7zEjY5Zo-I,2549
34
34
  langchain_core/embeddings/__init__.py,sha256=0SfcdkVSSXmTFXznUyeZq_b1ajpwIGDueGAAfwyMpUY,774
35
35
  langchain_core/embeddings/embeddings.py,sha256=u50T2VxLLyfGBCKcVtWfSiZrtKua8sOSHwSSHRKtcno,2405
@@ -43,43 +43,43 @@ langchain_core/exceptions.py,sha256=nGD_r_MAZSbraqzWUTzreALmPBSg4XA3zyTWd3kmMWE,
43
43
  langchain_core/globals.py,sha256=Y6uVfEmgAw5_TGb9T3ODOZokfEkExDgWdN-ptUkj8do,8937
44
44
  langchain_core/indexing/__init__.py,sha256=VOvbbBJYY_UZdMKAeJCdQdszMiAOhAo3Cbht1HEkk8g,1274
45
45
  langchain_core/indexing/api.py,sha256=z620e6bVNUKH_2bbVGrSqQiMVfVAJQl_iyQCSBiMmYE,38088
46
- langchain_core/indexing/base.py,sha256=OoS3omb9lFqNtL5FYXIrs8yzjD7Mr8an5cb6ZBcFMbI,23298
46
+ langchain_core/indexing/base.py,sha256=NGqIzktMBlzqK_AN3xF42DC9tP6uM0EJzBr-rJnHDu8,23298
47
47
  langchain_core/indexing/in_memory.py,sha256=-qyKjAWJFWxtH_MbUu3JJct0x3R_pbHyHuxA4Cra1nA,2709
48
48
  langchain_core/language_models/__init__.py,sha256=j6OXr7CriShFr7BYfCWZ2kOTEZpzvlE7dNDTab75prg,3778
49
49
  langchain_core/language_models/_utils.py,sha256=4TS92kBO5ee4QNH68FFWhX-2uCTe8QaxTXVFMiJLXt4,4786
50
- langchain_core/language_models/base.py,sha256=hURYXnzIRP_Ib7vL5hPlWyTPbSEhwWIRGoxp7VQPSHQ,14448
51
- langchain_core/language_models/chat_models.py,sha256=CCP-DfooWAng8JPibbWahNUvPbs1fiEYyh9FgzlpKdM,70720
50
+ langchain_core/language_models/base.py,sha256=B5mfSVqbzVBg7lkOJIsLOHNcbgbSR24fLwGAAlPO8Xg,14473
51
+ langchain_core/language_models/chat_models.py,sha256=AGYgVT45BRmbia0bq1j507OHCzWMcpgF4pcfWs4TnXQ,70753
52
52
  langchain_core/language_models/fake.py,sha256=h9LhVTkmYLXkJ1_VvsKhqYVpkQsM7eAr9geXF_IVkPs,3772
53
- langchain_core/language_models/fake_chat_models.py,sha256=QLz4VXMdIn6U5sBdZn_Lzfe1-rbebhNemQVGHnB3aBM,12994
53
+ langchain_core/language_models/fake_chat_models.py,sha256=pmeGehdqLJFmwHWK5Ppn0v25_YLwckJgc4hQlm-YU5I,13012
54
54
  langchain_core/language_models/llms.py,sha256=jzhJ1v4tGuuuD9lFZEYfesoE3WhtRNIWI6XKgQjPooc,56803
55
55
  langchain_core/load/__init__.py,sha256=m3_6Fk2gpYZO0xqyTnZzdQigvsYHjMariLq_L2KwJFk,1150
56
- langchain_core/load/dump.py,sha256=xQMuWsbCpgt8ce_muZuHUOOY9Ju-_voQyHc_fkv18mo,2667
56
+ langchain_core/load/dump.py,sha256=BIUX32uZUH488YUTaparyvMEAr-Y18NmwM9uyR_HaC4,2663
57
57
  langchain_core/load/load.py,sha256=8Jq62M9QYcW78Iv3J_EKQG6OIAsbthudMM60gqyUjFg,9272
58
58
  langchain_core/load/mapping.py,sha256=nnFXiTdQkfdv41_wP38aWGtpp9svxW6fwVyC3LmRkok,29633
59
59
  langchain_core/load/serializable.py,sha256=JIM8GTYYLXBTrRn9zal1tMJOP4z5vs-Hi-aAov6JYtY,11684
60
60
  langchain_core/memory.py,sha256=V-ARgyy5_xgvoBfp4WArMrk6NdbBjbqXdGDIbSTI_tA,3631
61
61
  langchain_core/messages/__init__.py,sha256=8H1BnLGi2oSXdIz_LWtVAwmxFvK_6_CqiDRq2jnGtw0,4253
62
- langchain_core/messages/ai.py,sha256=Ub1lMFWNtnvjM0LWT83bquOKFVJ6ibgFS0UBaW80ibc,17923
62
+ langchain_core/messages/ai.py,sha256=Bn9PMJZjcZrCFVSZDK8ml-zf8TIMVIwhzszxcJ1Vprk,17993
63
63
  langchain_core/messages/base.py,sha256=Rx1BIcDmZSokWltmhhzA1V7jiQb8xYwyAeZw9lvvlNU,9392
64
64
  langchain_core/messages/chat.py,sha256=Vgk3y03F9NP-wKkXAjBDLOtrH43NpEMN2xaWRp6qhRA,2260
65
65
  langchain_core/messages/content_blocks.py,sha256=qs-3t-Xqpm34YmIaSXrCOItKKkAcgAR3Ha-HGvhF5d4,5026
66
66
  langchain_core/messages/function.py,sha256=QO2WgKmJ5nm7QL-xXG11Fmz3qFkHm1lL0k41WjDeEZE,2157
67
67
  langchain_core/messages/human.py,sha256=SZt8B0MhGNlnkEE7tZUmH74xgNEwZlmxYL-9VCGA_uI,1929
68
- langchain_core/messages/modifier.py,sha256=eTc6oo-GljyrdmEyDqHcWn8yz05CzEXBVDo4CJPbGVM,908
68
+ langchain_core/messages/modifier.py,sha256=ch0RedUM_uA7wOEJHk8mkoJSNR0Rli_32BmOfdbS1dU,894
69
69
  langchain_core/messages/system.py,sha256=Zbb8zeezWs8SN6nOP-MjeBed5OtNetAsdGzf3lcl2Yc,1741
70
- langchain_core/messages/tool.py,sha256=sdzTSBqB2R3XhFiiIkIRa2kfCBTQkESWYoHhbiy7tVU,12234
71
- langchain_core/messages/utils.py,sha256=R5RUZhzfS5E08ciXZl-sEkWgsWf9NkPXJTMr5TdG6TE,67506
70
+ langchain_core/messages/tool.py,sha256=OLOFxVlhWNciwoMH2DiDhVY-BUWM17iFHK0Sc7EHYsk,12192
71
+ langchain_core/messages/utils.py,sha256=cDHeQt78RXAu9BQdnXN0ItkVje4IrKNK2ySByPWd4uE,67530
72
72
  langchain_core/output_parsers/__init__.py,sha256=R8L0GwY-vD9qvqze3EVELXF6i45IYUJ_FbSfno_IREg,2873
73
73
  langchain_core/output_parsers/base.py,sha256=RD0BgBBeNKDUTrEGxnLmA1DuCJowcEAfTB70Y8yqVoc,11168
74
74
  langchain_core/output_parsers/format_instructions.py,sha256=8oUbeysnVGvXWyNd5gqXlEL850D31gMTy74GflsuvRU,553
75
75
  langchain_core/output_parsers/json.py,sha256=1KVQSshLOiE4xtoOrwSuVu6tlTEm-LX1hNa9Jt7pRb8,4650
76
76
  langchain_core/output_parsers/list.py,sha256=7op38L-z4s8ElB_7Uo2vr6gJNsdRn3T07r780GubgfI,7677
77
77
  langchain_core/output_parsers/openai_functions.py,sha256=1ddM-5LtDH3VQbFuWq7PXtkm5XQQFOURHEWvPL0H2Jc,10715
78
- langchain_core/output_parsers/openai_tools.py,sha256=hlwu7RWHTvC1wsBVMh3dFoX7mPpdT0tTlNUrhCiyza8,12252
78
+ langchain_core/output_parsers/openai_tools.py,sha256=DneBnkstGWxhSnJKMzhgWbzJZb3zb9YFZcXre9aR1PY,12401
79
79
  langchain_core/output_parsers/pydantic.py,sha256=NTwYFM2xnTEcxT8xYWsi3ViIJ7UJzZJlh67sA_b7VXw,4347
80
80
  langchain_core/output_parsers/string.py,sha256=F82gzziR6Ovea8kfkZD0gIgYBb3g7DWxuE_V523J3X8,898
81
- langchain_core/output_parsers/transform.py,sha256=QYLL5zAfXWQTtPGPZwzdge0RRM9K7Rx2ldKrUfoQiu0,5951
82
- langchain_core/output_parsers/xml.py,sha256=vU6z6iQc5BTovH6CT5YMPN85fiM86Dqt-7EY_6ffGBw,11047
81
+ langchain_core/output_parsers/transform.py,sha256=ntWW0SKk6GUHXQNXHZvT1PhyedQrvF61oIo_fP63fRQ,5923
82
+ langchain_core/output_parsers/xml.py,sha256=Ne9oUzXy02BS4uVKWCYFLQ8UK8HlWynuGVb-7Sp8uH4,11151
83
83
  langchain_core/outputs/__init__.py,sha256=uy2aeRTvvIfyWeLtPs0KaCw0VpG6QTkC0esmj268BIM,2119
84
84
  langchain_core/outputs/chat_generation.py,sha256=HAvbQGRzRXopvyVNwQHcTGC-zm7itFbOPtcXPhb4gXY,4349
85
85
  langchain_core/outputs/chat_result.py,sha256=us15wVh00AYkIVNmf0VETEI9aoEQy-cT-SIXMX-98Zc,1356
@@ -89,7 +89,7 @@ langchain_core/outputs/run_info.py,sha256=xCMWdsHfgnnodaf4OCMvZaWUfS836X7mV15JPk
89
89
  langchain_core/prompt_values.py,sha256=HuG3X7gIYRXfFwpdOYnwksJM-OmcdAFchjoln1nXSg0,4002
90
90
  langchain_core/prompts/__init__.py,sha256=sp3NU858CEf4YUuDYiY_-iF1x1Gb5msSyoyrk2FUI94,4123
91
91
  langchain_core/prompts/base.py,sha256=5VgLQTUBJeWjNw9_J0Ltg8L3OqbMM3OSAJ3OHlwgGBc,16092
92
- langchain_core/prompts/chat.py,sha256=8OD0XsPJ8HMN8hd5mUa5TGwzPC4n1EqE1tv2iEhOfqA,51939
92
+ langchain_core/prompts/chat.py,sha256=yi0g8W6io9C8ps2es3aEscLYFLj0pfZNXcsFkZf0oEY,51891
93
93
  langchain_core/prompts/dict.py,sha256=1NjxhYyNgztCyPzOpaqeXUqNf9ctYj_BHlrFeamsp-M,4591
94
94
  langchain_core/prompts/few_shot.py,sha256=PpLnpEEoLngW8u7T_UgA5-wKTJWgIKkmRXGJsiJN95g,16191
95
95
  langchain_core/prompts/few_shot_with_templates.py,sha256=hmPZKbJnWvlbRNWIZXKz202zydDDGjobvamMQf8IHJo,7744
@@ -107,41 +107,41 @@ langchain_core/pydantic_v1/main.py,sha256=uTB_757DTfo-mFKJUn_a4qS_GxmSxlqYmL2WOC
107
107
  langchain_core/rate_limiters.py,sha256=84aDspeSNpakjUZtZQGPBGjM9-w77EodI4PNh7C8fDA,9565
108
108
  langchain_core/retrievers.py,sha256=vRVCi8tuBBTswIyKykuRA0EfAjTf4P8skgC5jPjS_p8,16738
109
109
  langchain_core/runnables/__init__.py,sha256=efTnFjwN_QSAv5ThLmKuWeu8P1BLARH-cWKZBuimfDM,3858
110
- langchain_core/runnables/base.py,sha256=hGX6biF-QA5KfFC-CSqG7BLi2y6eUqyyuafw40DyeB8,221310
111
- langchain_core/runnables/branch.py,sha256=a3J0PWb9TMFf5i6YZNFBm5Qee9_EjleXasDU_WgEU9c,16558
112
- langchain_core/runnables/config.py,sha256=MSbZg8d4aGyEqNOfsJHkgN7RvgAN1fc-wgFZcd8LO8w,20456
110
+ langchain_core/runnables/base.py,sha256=ku26cx7R0eKBtyqpm-nV5RiKtXdcG8-Im_zzaKBCub4,224003
111
+ langchain_core/runnables/branch.py,sha256=cSJEAjM1r5Voprs6M4Cnv3Hx5pRjvHrMViiRNBnkLj4,16532
112
+ langchain_core/runnables/config.py,sha256=c3E_CgGxTYS46ogV2EN0Lt5gribAMwHmQYBuDCYelEo,20428
113
113
  langchain_core/runnables/configurable.py,sha256=I9oRM6f3CQ3AWriWM-q4UcS5DyUn1CEIO4LUHmubt_0,24371
114
- langchain_core/runnables/fallbacks.py,sha256=NBhryHV9Mpy3BGG6_PL_AGXkRREcwNWWSspsRXSkgmw,24316
115
- langchain_core/runnables/graph.py,sha256=j9NM3h96NZpcVUSNbnrtiZxwl9yAS44O_sZOf8Mxrks,23388
114
+ langchain_core/runnables/fallbacks.py,sha256=_SHYVmckQ3B8yMrmnvsUpLxxlbsHRIUch51LB6NNesg,24383
115
+ langchain_core/runnables/graph.py,sha256=DFd7GWU5FBdv2pT7qZqtf87oW-o-oSoiUgHksODtZjw,23346
116
116
  langchain_core/runnables/graph_ascii.py,sha256=PGjh03gfxgQ3n-o-6HdlqAGyEkqKiSs3naeq7rCASN0,9970
117
117
  langchain_core/runnables/graph_mermaid.py,sha256=YwyIc_8a9ePIWMZcZO4lRDgjkhGkefAO_cqrUNEjCmU,16585
118
118
  langchain_core/runnables/graph_png.py,sha256=A12vGi7oujuD22NhxEpbZc07a18O1HLxuvW8Gf0etXk,5901
119
- langchain_core/runnables/history.py,sha256=D_OrWl4hQi4HKi6UF-l32M3pD7WjF2nquDsNuDJpyjc,25049
120
- langchain_core/runnables/passthrough.py,sha256=N4w3DTRWviyPXQgicvgvvSmaJEslOBNEea6irxuveJk,25977
121
- langchain_core/runnables/retry.py,sha256=e1GJKzFOhAv38znXtUDpkfCAzuXl6rl-gTENrYwEnM8,12769
122
- langchain_core/runnables/router.py,sha256=4bB5x5OXukdn_C955et4wja1p7nVlmk1f0L00J6bmJg,7213
119
+ langchain_core/runnables/history.py,sha256=ZOZXmmcR6ix2FmGE75Wwt7Z4dzzrL9mEFsY1wqRHNkA,25075
120
+ langchain_core/runnables/passthrough.py,sha256=vV_WNo4LMqMZYRU5syfFk7_sOr1HRLD9h2intGAF2cI,25899
121
+ langchain_core/runnables/retry.py,sha256=4DSbwwBst5AC3wncXKuFklbKV_az-WaPVzkM5Ey2ALU,12795
122
+ langchain_core/runnables/router.py,sha256=YP582fP14BGynEOJ2cjoWo104VFOvKhZyJDskE6K_Zk,7187
123
123
  langchain_core/runnables/schema.py,sha256=AAzvs9QoWhICt4KN3vnadusfv4MWTthH8PzKkTHlXl4,5543
124
124
  langchain_core/runnables/utils.py,sha256=0X-dU5MosoBA9Hg5W4o4lfIdAJpKw_KxjhuBoM9kZr8,23445
125
125
  langchain_core/stores.py,sha256=au0zWDoz1MF2fN9mzscVpxSNjQoecS2vKtPccJ4tUeM,10822
126
- langchain_core/structured_query.py,sha256=y6dInaoZwQJ9qg4Qssv4EdWcnuMm1TBBXLqNnzYyA28,5286
126
+ langchain_core/structured_query.py,sha256=SmeP7cYTx2OCxOEo9UsSiHO3seqIoZPjb0CQd8JDWRk,5164
127
127
  langchain_core/sys_info.py,sha256=2i0E5GsKDTKct4aLR6ko-P2edynqhDIbZBYU1hsdXzc,4085
128
128
  langchain_core/tools/__init__.py,sha256=Uqcn6gFAoFbMM4aRXd8ACL4D-owdevGc37Gn-KOB8JU,2860
129
- langchain_core/tools/base.py,sha256=35XsKa20wCz1eMee87MghkPXCGmfXy62ZxWqOVOMuDQ,49929
129
+ langchain_core/tools/base.py,sha256=sHJqHH6k2W2Vzchx7lV7iI3NIkdmyeD2H9lZsvTbowA,49983
130
130
  langchain_core/tools/convert.py,sha256=mzUvT0ykB5-YkJlTsOs7GvlAuby_LqMhwibXDSay-Y4,15670
131
131
  langchain_core/tools/render.py,sha256=BosvIWrSvOJgRg_gaSDBS58j99gwQHsLhprOXeJP53I,1842
132
132
  langchain_core/tools/retriever.py,sha256=zlSV3HnWhhmtZtkNGbNQW9wxv8GptJKmDhzqZj8e36o,3873
133
133
  langchain_core/tools/simple.py,sha256=GwawH2sfn05W18g8H4NKOza-X5Rrw-pdPwUmVBitO3Y,6048
134
- langchain_core/tools/structured.py,sha256=WHym7G6DLmC7dbjdN_4AxDaV6SzXrJooq_zdRT4nwKE,8990
134
+ langchain_core/tools/structured.py,sha256=Kzfo_UMANvnVivdQtdfzki-Ao3he-pUtlqjk3rsroZ4,8964
135
135
  langchain_core/tracers/__init__.py,sha256=ixZmLjtoMEPqYEFUtAxleiDDRNIaHrS01VRDo9mCPk8,1611
136
- langchain_core/tracers/_streaming.py,sha256=TT2N_dzOQIqEM9dH7v3d_-eZKEfkcQxMJqItsMofMpY,960
136
+ langchain_core/tracers/_streaming.py,sha256=U9pWQDJNUDH4oOYF3zvUMUtgkCecJzXQvfo-wYARmhQ,982
137
137
  langchain_core/tracers/base.py,sha256=6TWPk6fL4Ep4ywh3q-aGzy-PdiaH6hDZhLs5Z4bL45Q,26025
138
138
  langchain_core/tracers/context.py,sha256=ZDL-kZ6wbTmQ64uJ3XLi-tbMjsSo5V5ED9U5ESnZRus,7110
139
139
  langchain_core/tracers/core.py,sha256=2M8jnZL406aMrD0p4vZAhtpDKswtfNg-8S9Re0jDLpc,22740
140
140
  langchain_core/tracers/evaluation.py,sha256=_8WDpkqpIVtCcnm7IiHFTU2RU2BaOxqrEj-MwVYlmYU,8393
141
- langchain_core/tracers/event_stream.py,sha256=Si9Ok_OGHkmOiFduXpcSREt9eoYWQDTE070o3svkndw,33568
141
+ langchain_core/tracers/event_stream.py,sha256=f2TycEgI5GUs0nEvaqs9xuQwQTNXg8qR0qYQ4zfVSBw,33569
142
142
  langchain_core/tracers/langchain.py,sha256=_BzNC6k5d7PIgS06NSAKq-xJQB1jvIg6Xn01M4SeXHQ,10395
143
143
  langchain_core/tracers/langchain_v1.py,sha256=Fra8JU3HPs_PLeTMbLcM1NLqEqPnKB6xcX4myjFfbnY,727
144
- langchain_core/tracers/log_stream.py,sha256=EobhLY7ACbiSVISB-2jPZBqAkNvM7pwrVbTomUzKO0A,24108
144
+ langchain_core/tracers/log_stream.py,sha256=PEDRicNznmqi3pXYFi0U069-DVLZUoU1I1c5_4bGC9k,24080
145
145
  langchain_core/tracers/memory_stream.py,sha256=3A-cwA3-lq5YFbCZWYM8kglVv1bPT4kwM2L_q8axkhU,5032
146
146
  langchain_core/tracers/root_listeners.py,sha256=VRr3jnSSLYsIqYEmw9OjbjGgj4897c4fnNqhMhKDfys,4672
147
147
  langchain_core/tracers/run_collector.py,sha256=Tnnz5sfKkUI6Rapj8mGjScYGkyEKRyicWOhvEXHV3qE,1622
@@ -152,7 +152,7 @@ langchain_core/utils/_merge.py,sha256=uo_n2mJ0_FuRJZUUgJemsXQ8rAC9fyYGOMmnPfbbDU
152
152
  langchain_core/utils/aiter.py,sha256=wAW_a_5Lhpf8l1-iUpWHIAnyK3u-FREBvavjT83MPAM,10767
153
153
  langchain_core/utils/env.py,sha256=swKMUVFS-Jr_9KK2ToWam6qd9lt73Pz4RtRqwcaiFQw,2464
154
154
  langchain_core/utils/formatting.py,sha256=fkieArzKXxSsLcEa3B-MX60O4ZLeeLjiPtVtxCJPcOU,1480
155
- langchain_core/utils/function_calling.py,sha256=OT2I2vxtlzy3mg_U_bOzlTAxWSL7mAWhiEEvOtL0VHA,28433
155
+ langchain_core/utils/function_calling.py,sha256=n9DbamVI0Hx31u0btJpeny7fWwvTQsK4FzOMVfZMQKA,28901
156
156
  langchain_core/utils/html.py,sha256=fUogMGhd-VoUbsGnMyY6v_gv9nbxJy-vmC4yfICcflM,3780
157
157
  langchain_core/utils/image.py,sha256=1MH8Lbg0f2HfhTC4zobKMvpVoHRfpsyvWHq9ae4xENo,532
158
158
  langchain_core/utils/input.py,sha256=z3tubdUtsoHqfTyiBGfELLr1xemSe-pGvhfAeGE6O2g,1958
@@ -170,5 +170,5 @@ langchain_core/vectorstores/__init__.py,sha256=5P0eoeoH5LHab64JjmEeWa6SxX4eMy-et
170
170
  langchain_core/vectorstores/base.py,sha256=4AR5L6RWuAPEo9DQj9pOIN7UR3Ln45s02pU_Oe8sYsI,42026
171
171
  langchain_core/vectorstores/in_memory.py,sha256=lxe2bR-wFtvNN2Ii7EGOh3ON3MwqNRP996eUEek55fA,18076
172
172
  langchain_core/vectorstores/utils.py,sha256=DZUUR1xDybHDhmZJsd1V2OEPsYiFVc2nhtD4w8hw9ns,4934
173
- langchain_core/version.py,sha256=Yt0ataikGYt4j5ZFjRxeHDl_seiWVXkaUWNYzZMDXhM,76
174
- langchain_core-0.3.73.dist-info/RECORD,,
173
+ langchain_core/version.py,sha256=1lRxq37KIZU8Z7Y0qqWpcZYOPn7L6khPalFZl1u7AvU,76
174
+ langchain_core-0.3.75.dist-info/RECORD,,