2011-12-30 7 views
5

は、例えばこれを持っ: http://www.haskell.org/haskellwiki/99_questions/Solutions/32WinGHCiでこのhaskellプログラムを実行するには?

(**) Determine the greatest common divisor of two positive integer numbers. Use Euclid's algorithm. 

gcd' 0 y = y 
gcd' x y = gcd' (y `mod` x) x 
myGCD x y | x < 0  = myGCD (-x) y 
      | y < 0  = myGCD x (-y) 
      | y < x  = gcd' y x 
      | otherwise = gcd' x y 
The Prelude includes a gcd function, so we have to choose another name for ours. The function gcd' is a straightforward implementation of Euler's algorithm, and myGCD is just a wrapper that makes sure the arguments are positive and in increasing order. 

A more concise implementation is: 

myGCD :: Integer -> Integer -> Integer 
myGCD a b 
     | b == 0  = abs a 
     | otherwise = myGCD b (a `mod` b) 

は、どのように私はWinGHCiでこれをテストするのですか? haskellプログラムを実行するためのステップ/ワークフローとは何ですか?

ありがとうございます!

答えて

11
  1. たとえばC:\Haskell\MyGCD.hsのために、どこか.hsファイル内のコードを保存します。

  2. スタートWinGHCiと:loadでそれをロードし、その後、あなたが:cdとそれを保存したディレクトリに移動します。

    Prelude> :cd C:\Haskell 
    Prelude> :load MyGCD.hs 
    [1 of 1] Compiling Main    (MyGCD.hs, interpreted) 
    Ok, modules loaded: Main. 
    
  3. 今、あなたは機能と遊ぶことができます。

    *Main> myGCD 12 10 
    2 
    

を詳細は:helpを入力するか、Chapter 2: Using GHCi of the GHC User's Guideを参照してください。

+0

Aha ..それでは、あなたはこの機能で遊んでいます。ありがとうございました!! :D – Amjad

関連する問題