GenAI在代码debug场景下的主要应用:
另外可以完善异常处理: 检查异常处理的完整性、 提供更健壮的错误处理方案、 完善日志记录建议等
本节将使用deepseek实现代码的debug
import requests
# DeepSeek API的URL地址(本地Ollama服务器地址)
OLLAMA_URL = "http://localhost:11434/api/generate"
def debug_code(code_snippet, language="Python"):
"""
使用DeepSeek AI来分析代码并提供调试建议
参数:
code_snippet: 需要调试的代码片段
language: 编程语言,默认为Python
返回:
str: AI的调试建议和修正后的代码
"""
# 构建提示词,要求AI分析和调试代码
prompt = f"Analyze and debug the following {language} code:\n\n{code_snippet}\n\n" \
"Identify issues, suggest fixes, and return the corrected code along with explanations."
# 性能优化提示词
# prompt = f"Optimize the following {language} code for better performance and efficiency:\n\n{code_snippet}\n\n" \
# "Suggest improvements and return the optimized code."
# 错误信息解释提示词(已注释)
# prompt = f"Explain the following {language} error message and how to fix it:\n\n{error_message}"
# 设置API请求参数
payload = {
"model": "deepseek-r1", # 使用deepseek-r1模型
"prompt": prompt, # 提示词内容
"stream": False # 不使用流式输出
}
# 发送POST请求到Ollama API
response = requests.post(OLLAMA_URL, json=payload)
# 处理API响应
if response.status_code == 200:
return response.json().get("response", "No debugging suggestions available.") # 返回AI的调试建议
else:
return f"Error: {response.text}" # 返回错误信息
# 测试代码调试器
if __name__ == "__main__":
# 测试用的代码片段
test_code = "def divide_numbers(a, b): return a / b\nprint(divide_numbers(5/0))"
print(debug_code(test_code))
运行结果:
~/code/genai/deepseek > /opt/homebrew/bin/python3 /Users/kpingfan/code/genai/deepseek/code-debug.py 14m 38s
<think>
Okay, I need to analyze and debug this Python code that someone wrote. Let's see what the code does.
The function is called divide_numbers and it takes two arguments, a and b. Inside the function, it returns a divided by b using the / operator. So far, so good.
Then outside the function, there's a print statement that calls divide_numbers with 5/0 as its arguments. Wait, no—actually, looking again, I think I might have misread that. The code is print(divide_numbers(5/0)). Hmm, actually, the division operator has higher precedence than the function call in Python because of operator precedence rules.
So when we evaluate this expression inside the print statement: divide_numbers(5/0), it's equivalent to dividing 5 by 0 before passing it to the function. But wait, isn't that trying to divide 5 by zero? Oh no, that would cause a ZeroDivisionError because you can't divide by zero.
Wait, but actually, let me think again. The expression is print(divide_numbers(5/0)). So first, Python will compute 5 divided by 0 inside the function's argument list before passing it to divide_numbers. But since dividing 5 by 0 in Python raises a ZeroDivisionError, that error occurs when trying to call divide_numbers with that invalid operation.
So inside the print statement, an exception is raised, which propagates up and stops execution of the program there. That means the code doesn't reach any further lines after that point because it crashes.
Therefore, the problem is that the division is happening before it's passed as a single argument to divide_numbers. The function expects two separate arguments, but instead, it's getting an expression that results in an error before being processed by the function.
To fix this, I need to change how the print statement calls divide_numbers. Instead of 5/0 inside the function call, which causes an error first, I should pass 5 as a and 0 as b separately. So instead of write print(divide_numbers(5/0)), it should be print(divide_numbers(5, 0)).
This way, Python will correctly compute divide_numbers by dividing 5 by 0 inside the function without trying to evaluate an invalid expression first. But wait, even then, dividing by zero is still a problem in the function itself because 5/0 would raise ZeroDivisionError when it's called with a and b as 5 and 0.
So actually, both places where division occurs are problematic. The initial call inside print tries to compute 5/0 before passing to divide_numbers, which is incorrect syntax or perhaps intended? Wait no—because in Python, the expression (5/0) would cause an error regardless of whether it's passed as a single argument.
Wait, maybe I'm confusing operator precedence here. Let me clarify: if we have print(divide_numbers(5/0)), the 5/0 is evaluated first because of operator precedence rules before being passed to divide_numbers. But since dividing by zero is an error, that happens right there in the expression when evaluating it.
So in this code, no matter where the division occurs—it's either inside or outside function calls—the problem remains: you can't divide 5 by zero in Python without raising a ZeroDivisionError.
Therefore, to fix both issues, I need to correct how the arguments are passed. Instead of writing (5/0), it should be separate arguments: print(divide_numbers(5, 0)).
But wait, if we do that, inside divide_numbers, when it tries to compute a/b where b is zero, it will still raise ZeroDivisionError because division by zero isn't allowed in Python. So the function can't handle dividing by zero regardless of how you call it.
So maybe the issue isn't just about how the arguments are passed but also that attempting to divide by zero inherently causes an error. However, perhaps the original intention was just to test what happens when a division by zero occurs and whether the code handles it gracefully.
But in any case, the bug is that both 5/0 inside the print statement and within the function call cause errors because of division by zero.
</think>
The provided Python code has an issue with how arguments are passed into the `divide_numbers` function. Inside the `print(divide_numbers(5/0))`, the expression `5/0` is evaluated first due to operator precedence, which raises a ZeroDivisionError before being passed to the function.
**Step-by-step explanation:**
1. **Identify the issue:** The division by zero occurs within the print statement's argument list.
2. **Understand operator precedence:** In Python, division (`/`) has higher precedence than function calls, so `5/0` is evaluated before calling `divide_numbers`.
3. **Raise an error:** Evaluating `5/0` results in a ZeroDivisionError immediately.
**Suggested Fix:**
To fix the issue, change how arguments are passed to ensure that division by zero does not occur either inside or outside function calls.
**Corrected Code:**
```python
def divide_numbers(a, b):
return a / b
print(divide_numbers(5, 0))
```
However, even with this correction, the code will still raise a ZeroDivisionError because it's attempting to divide by zero. To handle such cases gracefully, you might add error handling or check if `b` is zero before performing division.
**Additional Note:**
If you want to test how functions handle errors without crashing the program immediately (e.g., returning infinity), you can use NumPy:
```python
import numpy as np
print(np.divide(5, 0))
```
This returns `inf`, but it doesn't stop the program. Always be cautious with division by zero operations in your code.
**Final Corrected Code:**
To fix both issues (syntax and handling division by zero), ensure proper argument passing and handle errors if necessary:
```python
def divide_numbers(a, b):
try:
return a / b
except ZeroDivisionError:
print("Cannot divide by zero.")
return None
print(divide_numbers(5, 0))
```
This code now handles division by zero gracefully.
使用gradio作成web页面:
import requests
import gradio as gr
# DeepSeek API的URL地址(本地Ollama服务器地址)
OLLAMA_URL = "http://localhost:11434/api/generate"
def debug_code(code_snippet, language="Python"):
"""
使用DeepSeek AI来分析代码并提供调试建议
参数:
code_snippet: 需要调试的代码片段
language: 编程语言,默认为Python
返回:
str: AI的调试建议和修正后的代码
"""
# 构建提示词,要求AI分析和调试代码
prompt = f"Analyze and debug the following {language} code:\n\n{code_snippet}\n\n" \
"Identify issues, suggest fixes, and return the corrected code along with explanations."
# 性能优化提示词
# prompt = f"Optimize the following {language} code for better performance and efficiency:\n\n{code_snippet}\n\n" \
# "Suggest improvements and return the optimized code."
# 错误信息解释提示词(已注释)
# prompt = f"Explain the following {language} error message and how to fix it:\n\n{error_message}"
# 设置API请求参数
payload = {
"model": "deepseek-r1", # 使用deepseek-r1模型
"prompt": prompt, # 提示词内容
"stream": False # 不使用流式输出
}
# 发送POST请求到Ollama API
response = requests.post(OLLAMA_URL, json=payload)
# 处理API响应
if response.status_code == 200:
return response.json().get("response", "No debugging suggestions available.") # 返回AI的调试建议
else:
return f"Error: {response.text}" # 返回错误信息
# 创建Gradio界面
interface = gr.Interface(
fn=debug_code, # 指定处理函数
inputs=[ # 定义输入组件
gr.Textbox(lines=10, placeholder="在此粘贴需要调试的代码"), # 多行文本框用于输入代码
gr.Dropdown(["Python", "JavaScript", "Java", "C++"], label="选择编程语言"), # 下拉菜单选择语言
],
outputs=gr.Textbox(label="AI调试输出"), # 输出组件:显示AI的调试建议
title="AI驱动的代码调试器", # 界面标题
description="粘贴有问题的代码,AI将分析并提供修复建议。" # 界面描述文本
)
# 启动Web应用
if __name__ == "__main__":
interface.launch()
运行后,打开浏览器,进行测试: