9

我正在学习 Haskell,并决定尝试编写一些小型测试程序来习惯 Haskell 代码和使用模块。目前我正在尝试使用第一个参数来使用 Cypto.PasswordStore 创建密码哈希。为了测试我的程序,我试图从第一个参数创建一个散列,然后将散列打印到屏幕上。

import Crypto.PasswordStore
import System.Environment

main = do
    args <- getArgs
    putStrLn (makePassword (head args) 12)

我收到以下错误:

testmakePassword.hs:8:19:
    Couldn't match expected type `String'
            with actual type `IO Data.ByteString.Internal.ByteString'
    In the return type of a call of `makePassword'
    In the first argument of `putStrLn', namely
      `(makePassword (head args) 12)'
    In a stmt of a 'do' block: putStrLn (makePassword (head args) 12)

我一直在使用以下链接作为参考,但我现在只是试错无济于事。 http://hackage.haskell.org/packages/archive/bytestring/0.9.0.4/doc/html/Data-ByteString-Internal.html http://hackage.haskell.org/packages/archive/pwstore-purehaskell/2.1 /doc/html/Crypto-PasswordStore.html

4

2 回答 2

5

您还没有导入 ByteString,所以它正在尝试使用 putStrLn 的 String 版本。我已经提供toBSString->ByteString转换。

尝试

import Crypto.PasswordStore
import System.Environment
import qualified Data.ByteString.Char8 as B

toBS = B.pack

main = do
    args <- getArgs
    makePassword (toBS (head args)) 12 >>= B.putStrLn
于 2012-11-03T01:49:14.773 回答
4

你必须以不同的方式做两件事。首先,makePassword是在 IO 中,所以需要将结果绑定到一个名称,然后将该名称传递给 IO 函数。其次,您需要从Data.ByteString

import Crypto.PasswordStore
import System.Environment
import qualified Data.ByteString as B

main = do
    args <- getArgs
    pwd <- makePassword (B.pack $ head args) 12
    B.putStrLn pwd

或者,如果您不会在其他任何地方使用密码结果,则可以使用 bind 直接连接这两个函数:

main = do
    args <- getArgs
    B.putStrLn =<< makePassword (B.pack $ head args) 12
于 2012-11-03T01:51:33.127 回答