Golden ratio/Convergence: Difference between revisions

From Rosetta Code
Content added Content deleted
No edit summary
(Fixed typos)
Line 13: Line 13:
* [[Metallic_ratios|Metallic ratios]]
* [[Metallic_ratios|Metallic ratios]]


{{header|C}}
=={{header|C}}==
<syntaxhighlight lang="c">
<syntaxhighlight lang="c">
#include <stdio.h>
#include <stdio.h>
Line 19: Line 19:


static void
static void
using_float () /* C2x does not require "void". */
using_float () /* C2x does not require "void". */
{
{
int count = 0;
int count = 0;
Line 41: Line 41:


static void
static void
using_double () /* C2x does not require "void". */
using_double () /* C2x does not require "void". */
{
{
int count = 0;
int count = 0;

Revision as of 01:38, 3 June 2023

Task
Golden ratio/Convergence
You are encouraged to solve this task according to the task description, using any language you may know.

The golden ratio can be defined as the continued fraction

Thus . Multiplying both sides by and solving the resulting quadratic equation for its positive solution, one gets .

The golden ratio has the slowest convergence of any continued fraction, as one might guess by noting that the denominators are made of the smallest positive integer. This task treats the problem of convergence in a somewhat backwards fashion: we are going to iterate the recursion , , and see how long it takes to get an answer.

Task

Iterate , until . Report the final value of , the number of iterations required, and the error with respect to .

See also

C

#include <stdio.h>
#include <math.h>

static void
using_float ()                  /* C2x does not require "void". */
{
  int count = 0;
  float phi0 = 1.0f;
  float phi1;
  float difference;
  do
    {
      phi1 = 1.0f + (1.0f / phi0);
      difference = fabsf (phi1 - phi0);
      phi0 = phi1;
      count += 1;
    }
  while (1.0e-5f < difference);

  printf ("Using type float --\n");
  printf ("Result: %f after %d iterations\n", phi1, count);
  printf ("The error is approximately %f\n",
          phi1 - (0.5f * (1.0f + sqrtf (5.0f))));
}

static void
using_double ()                 /* C2x does not require "void". */
{
  int count = 0;
  double phi0 = 1.0;
  double phi1;
  double difference;
  do
    {
      phi1 = 1.0 + (1.0 / phi0);
      difference = fabs (phi1 - phi0);
      phi0 = phi1;
      count += 1;
    }
  while (1.0e-5 < difference);

  printf ("Using type double --\n");
  printf ("Result: %f after %d iterations\n", phi1, count);
  printf ("The error is approximately %f\n",
          phi1 - (0.5 * (1.0 + sqrt (5.0))));
}

int
main ()                         /* C2x does not require "void". */
{
  using_float ();
  printf ("\n");
  using_double ();
}
Output:
Using type float --
Result: 1.618033 after 14 iterations
The error is approximately -0.000001

Using type double --
Result: 1.618033 after 14 iterations
The error is approximately -0.000001