Computer >> คอมพิวเตอร์ >  >> การเขียนโปรแกรม >> C#

สามวิธีในการคำนวณแฟคทอเรียลใน C #


ในการคำนวณแฟคทอเรียลใน C# คุณสามารถใช้หนึ่งในสามวิธีต่อไปนี้ -

คำนวณแฟคทอเรียลด้วย for loop

ตัวอย่าง

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;

namespace factorial {
   class Test {
      static void Main(string[] args) {
         int i, res;
         int value = 5;
         res = value;
         for (i = value - 1; i >= 1; i--) {
            res = res * i;
         }
         Console.WriteLine("\nFactorial of "+value+" = "+res);
         Console.ReadLine();
      }
   }
}

ผลลัพธ์

Factorial of 5 = 120

คำนวณแฟคทอเรียลด้วยลูป while

ตัวอย่าง

using System;
namespace MyApplication {
   class Factorial {
      public int display(int n) {
         int res = 1;
         while (n != 1) {
            res = res * n;
            n = n - 1;
         }
         return res;
      }
      static void Main(string[] args) {
         int value = 5;
         int ret;
         Factorial fact = new Factorial();
         ret = fact.display(value);
         Console.WriteLine("Value is : {0}", ret );
         Console.ReadLine();
      }
   }
}

ผลลัพธ์

Value is : 120

คำนวณแฟคทอเรียลโดยใช้การเรียกซ้ำ

ตัวอย่าง

using System;
namespace MyApplication {
   class Factorial {
      public int display(int n) {
         if (n == 1)
            return 1;
         else
            return n * display(n - 1);
      }
      static void Main(string[] args) {
         int value = 5;
         int ret;
         Factorial fact = new Factorial();
         ret = fact.display(value);
         Console.WriteLine("Value is : {0}", ret );
         Console.ReadLine();
      }
   }
}

ผลลัพธ์

Value is : 120