Identify and consolidate duplicate code patterns by extracting common logic into reusable functions and unifying similar code blocks. This improves maintainability, reduces bugs, and enhances readability.
Key strategies:
Example from the codebase:
# Before: Duplicate code paths
if self.node_timeout is not None:
events = self._stream_with_timeout(...)
else:
events = self.stream_async(...)
# After: Unified approach
events = self._stream_with_timeout(...) if self.node_timeout else self.stream_async(...)
Another example:
# Before: Complex inline construction
after_event = agent.hooks.invoke_callbacks(
AfterToolCallEvent(
agent=agent,
tool_use=tool_use,
result={
"toolUseId": tool_use["toolUseId"],
"status": "cancelled",
"content": [{"text": "Tool execution was cancelled"}]
}
)
)
# After: Extract result construction
cancelled_result = self._create_cancelled_tool_result(tool_use)
after_event = agent.hooks.invoke_callbacks(
AfterToolCallEvent(agent=agent, tool_use=tool_use, result=cancelled_result)
)
Always look for opportunities to consolidate when you notice similar patterns, repeated logic, or multiple code paths that achieve the same outcome.
Enter the URL of a public GitHub repository