7

我是 Haskell 的初学者。假设 Rat 是整数或整数的分数类型。我想问一下,为什么要导出这个 Rat 的构造函数?

module RatNum(Rat,add1Rat,makeRat) where
    infixl 5 :/
    data Rat = Int :/ Int | Only Int deriving(Show)
    add1Rat :: Rat -> Rat
    add1Rat (a :/ b) = (a+b) :/ b
    add1Rat (Only a) = Only (a+1)
    makeRat :: Rat
    makeRat = 1 :/ 1
    makeORat :: Rat
    makeORat = Only 1

在 GHCI 中:

Prelude> :l RatNum
[1 of 1] Compiling RatNum           ( RatNum.hs, interpreted )
Ok, modules loaded: RatNum.
*RatNum> Only 5
Only 5
*RatNum> add1Rat (1:/3)
4 :/ 3
*RatNum> 7:/5
7 :/ 5

该模块尚未完成,我想隐藏 Rat 的构造函数。

4

1 回答 1

13

这是因为您正在从 ghci 加载模块本身。Main.hs在与以下目录相同的文件中尝试此代码RatNum.hs

module Main where

import RatNum

f = Only 1

现在尝试Main从 ghci 加载:

$ ghci Main.hs
GHCi, version 7.0.4: http://www.haskell.org/ghc/  :? for help
Loading package ghc-prim ... linking ... done.
Loading package integer-gmp ... linking ... done.
Loading package base ... linking ... done.
[1 of 2] Compiling RatNum           ( RatNum.hs, interpreted )
[2 of 2] Compiling Main             ( Main.hs, interpreted )

Main.hs:5:5: Not in scope: data constructor `Only'
Failed, modules loaded: RatNum.

解释

看看这个 ghci 手册页,第 2.4.5 节。它解释说,GHCI 放入命令提示符的每个模块当前都在范围内;可见标识符正是那些在没有导入声明 (cite) 的 Haskell 源文件中可见的标识符

您的命令提示符说RatNum因为您告诉 ghci 加载它,所以提示符在与该模块内相同的范围内工作。在我的示例中,它仅被我实际加载的模块引用Main,因此我没有进入RatNum.

当您实际编译(或通过imports 引用)您的代码时,导出声明将按您的预期工作。

于 2012-09-06T12:24:23.303 回答