离散数学很有趣但我仍然对代数有很多困难。我试图通过归纳证明一个递归函数。我刚刚开始我的算法设计课程,并且分配是将迭代函数重写为递归函数然后证明它。我能够实现递归函数,我能够使用强力技术测试它,但我不知道如何设置我的证明。我不认为我正确地开始它。我把我的开头包括在证据中。感谢您给我的任何指示。
编辑#3最终证明完成,感谢帮助
f (k + 1) – f(k) =
(k + 1) ^2 – ½ (k + 1) (k + 1 – 1) – k^2 – ½ (k (k -1)) =
k^2 + 2k + 1 – ½ (k^2 – k) – k^2 + ½ (k^2 - k) =
2k + 1 - k =
k + 1
编辑#2到目前为止,这是我的证明,我相信我离开了。
Base Case, n = 1
When n is 1, 1 is returned Line 1
1^2-(1*(1-1))/2 = 1
Inductive Case, n > 1
Assume for k = n-1, show for n = k
triangular_recursive(k) =
triangular_recursive (k -1) + k = Line 1
(k – 1) ^2 – ½(k-1) (k-1-1) + k = Inductive Assumption
k^2 -2k +1 – ½ (k^2 -3k +2) + k =
k^2 – k + 1 – ½ (k^2 -3k + 2)
This doesn’t see, correct at all.
以下是我的代码:
/*
JLawley
proof_of_correctness1.cpp
This provides a brute force proof of my algorithm
Originally, everything was integer type.
I changed to double when I added pow.
*/
#include "stdafx.h"
#include <iostream>
// this is the original function
// we were to rewrite this as a recursive function
// so the proof would be simpler
double triangular(double n) {
auto result = 0;
for (auto i = 1; i <= n; i++) result += i;
return result;
}
/*
* This is my recursive implementation
* It includes base case and post case
*/
// n > 0
double triangular_recursive(double n) {
return (n == 1) ? n : triangular_recursive(n - 1) + n;
}
// returns n^2 - (n(n-1)) / 2
// utility method to test my theory by brute force
double test_my_theory(double n)
{
return pow(n, 2) - (n * (n - 1))/2;
}
int main(void)
{
// at values much beyond 4000, this loop fails
// edit added - the failure is due to values too large
// the program crashes when this occurs
// this is a drawback of using recursive functions
for (auto i = 1; i <= 4000; i++)
if (test_my_theory(i) != triangular_recursive(i) || test_my_theory(i) != triangular(i))
std::cout << "\n!= at i = " << i;
// I am not getting any "i ="'s so I assume a good brute force test
return 0;
}
/*
* My proof so far:
Base Case, n = 1
When n is 1, 1 is returned Line 1
1^2-(1*(1-1))/2 = 1
Inductive Case, n > 1
Assume for k = n-1, show for n = k
triangular_recursive(k) =
triangular_recursive (k -1) + k = Line 1
(k – 1) ^2 – ½(k-1)(k-1-1) + k = Inductive Assumption
*/
答案 0 :(得分:2)
递归函数通常具有如下形式:
recursive(param) {
if (base_case)
return base_value;
new_param = move_param_toward_base(param);
return combine(present_value, recursive(new_param);
}
归纳证明基本上有两个步骤:
使用递归函数:
但是,也有一些差异,包括你似乎在这里遇到的那个。特别是在数学中,非模块化数字可以无限制地增长 - 但在计算机上,所有数字都是模块化的;没有人能够无限制地成长。