用于日后检索和归档,建立知识索引。
实验编号/标题:例如:实验-leetcode-4-寻找两个正序数组的中位数
日期:Feb 27, 2026
所属领域/标签:例如:#LeetCode #二分
🎯 实验前:假设与目标 (Plan)#
不要在此处长篇大论,用一两句话厘清“为什么做这个”。
当前问题 (Problem):我现在遇到了什么阻碍?或者我想解决什么问题?#
实验目标 (Objective):做完这件事,我想达到什么具体效果?#
例:成功抓取20页数据而不报错。
核心假设 (Hypothesis):(最关键的一步) 我认为怎么做能成功?#
中位数的本质:把整体分为左半和右半,左边元素个数和右边元素个数尽可能相等。
如果确定了 A 的切分位置,那么 B 的切分位置也自然确定了:j = (m + n + 1)/2 - j
一般认为 A 尽量是最小数组。
🧪 实验中:执行步骤与变量 (Do)#
记录“我到底做了什么”。如果是代码,粘贴关键片段;如果是实物操作,记录参数。
准备工作/工具:#
List tools or resources used.
控制变量 (Variable):#
不变的量:(例:目标网址、抓取频率)
改变的量 (测试点):(例:User-Agent 字符串,IP代理池)
执行步骤 (Log):#
Step 1 保证 nums1 是最小数组#
1
2
3
4
5
6
7
| class Solution {
public double findMedianSortedArrays(int[] nums1, int[] nums2) {
if (nums1.length > nums2.length) {
return findMedianSortedArrays(nums1, nums2);
}
}
}
|
Step 2 二分#
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
| class Solution {
public double findMedianSortedArrays(int[] nums1, int[] nums2) {
if (nums1.length > nums2.length) {
return findMedianSortedArrays(nums1, nums2);
}
int m = nums1.length;
int n = nums2.length;
int totalLeft = (m + n + 1) / 2;
int left = 0, right = m;
while (left < right) {
int i = (left + rigth) >> 1;
int j = totalLeft - i;
if (nums1[i] < nums2[j-1]) {
left = i + 1;
} else {
right = i;
}
}
}
}
|
Step 3 得到最终答案#
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
| class Solution {
public double findMedianSortedArrays(int[] nums1, int[] nums2) {
if (nums1.length > nums2.length) {
return findMedianSortedArrays(nums2, nums1);
}
int m = nums1.length;
int n = nums2.length;
int totalLeft = (m + n + 1) / 2;
int left = 0, right = m;
while (left < right) {
int i = (left + right) >> 1;
int j = totalLeft - i;
if (nums1[i] < nums2[j-1]) {
left = i + 1;
} else {
right = i;
}
}
int i = left, j = totalLeft - i;
int nums1LeftMax = (i == 0) ? Integer.MIN_VALUE : nums1[i - 1];
int nums1RightMin = (i == m) ? Integer.MAX_VALUE : nums1[i];
int nums2LeftMax = (j == 0) ? Integer.MIN_VALUE : nums2[j - 1];
int nums2RightMin = (j == n) ? Integer.MAX_VALUE : nums2[j];
if (((m + n) & 1) == 1) {
return Math.max(nums1LeftMax, nums2LeftMax);
} else {
return (Math.max(nums1LeftMax, nums2LeftMax)
+ Math.min(nums1RightMin, nums2RightMin)) / 2.0;
}
}
}
|
👁️ 实验后:现象与数据 (Check)#
客观记录发生了什么,不要带主观评价。
观察到的现象:
成功了吗?报错了吗?报错信息是什么?
产出物的样子(附截图/照片)。
关键数据:
耗时、准确率、转化率、温度、分数等。
例:前5页成功,第6页开始报错 403 Forbidden。
🧠 深度复盘:分析与结论 (Act)#
这是学习发生的地方。将“经历”转化为“经验”。
结果对比:实际结果 vs. 预期假设。
符合预期 / 部分符合 / 完全相反
原因分析 (Why?):
为什么成功了?是运气还是方法对路?
为什么失败了?是假设错了,还是执行出问题了?
(可以使用“5个为什么”法进行深挖)
获得的知识点 (Key Learnings):
我学到了什么新概念?
纠正了什么旧认知?
下一步行动 (Next Actions):#
✅ 验证通过,纳入标准流程。
🔄 验证失败,修改假设,开启下一次实验(EXP-002)。
❓ 产生新问题:[记录新问题]