4

请考虑我有以下 CoffeeScript 代码:

class Foobar
    test: (path) ->
        fs = require 'fs'
        fs.readFile path, (err, data) ->
            console.log 'fs.readFile callback fired'

root = exports ? window
root.Foobar = Foobar

以下是 Mocha 的测试文件:

chai = require 'chai'
expect = chai.expect
chai.should()

{Foobar} = require '../source/foobar'

describe 'Foobar', ->
    foobar = null
    it 'does nothing', ->
        foobar = new Foobar
        foobar.test 'foobar.txt'

我运行测试:

mocha --compilers coffee:coffee-script -R spec

对我来说奇怪的是控制台什么也没记录。当我将 Coffee 更改为此时(在末尾添加了两行):

class Foobar
    test: (path) ->
        fs = require 'fs'
        fs.readFile path, (err, data) ->
            console.log 'fs.readFile callback fired'

root = exports ? window
root.Foobar = Foobar

foobar = new Foobar
foobar.test 'foobar.txt'

我运行了测试,现在控制台记录fs.readFile callback fired了两次,正如预期的那样。

那么,为什么控制台在第一种情况下是空的?

4

1 回答 1

4

您的测试可能在readFile回调执行之前就结束了。该test方法应该接受一个回调:

class Foobar
    test: (path, callback) ->
        fs.readFile path, (err, data) ->
            console.log 'fs.readFile callback fired'
            callback err, data

这样您就可以编写测试以异步运行:

it 'calls callback', (done) ->
    foobar = new Foobar()
    foobar.test 'foobar.txt', done
于 2012-08-10T00:26:22.303 回答