Merge pull request #1184 from sharelatex/spd-zip-project-name-from-tex-content

zip upload: Read project name from title in zip contents

GitOrigin-RevId: 27122674a0374f86a10c04485d787f4caaf21f5b
This commit is contained in:
Simon Detheridge 2018-12-03 11:06:05 +00:00 committed by sharelatex
parent b69cc6ce77
commit 3138919cb7
10 changed files with 376 additions and 47 deletions

View file

@ -3,11 +3,23 @@ module.exports = DocumentHelper =
TITLE_WITH_CURLY_BRACES = /\\[tT]itle\*?\s*{([^}]+)}/
TITLE_WITH_SQUARE_BRACES = /\\[tT]itle\s*\[([^\]]+)\]/
ESCAPED_BRACES = /\\([{}\[\]])/g
content = content.substring(0, maxContentToScan).split("\n") if typeof content is 'string'
title = null
for line in content
for line in DocumentHelper._getLinesFromContent(content, maxContentToScan)
match = line.match(TITLE_WITH_SQUARE_BRACES) || line.match(TITLE_WITH_CURLY_BRACES)
if match?
title = match[1].replace(ESCAPED_BRACES, (br)->br[1])
break
return title
return match[1].replace(ESCAPED_BRACES, (br)->br[1])
return null
contentHasDocumentclass: (content, maxContentToScan = 30000) ->
for line in DocumentHelper._getLinesFromContent(content, maxContentToScan)
# We've had problems with this regex locking up CPU.
# Previously /.*\\documentclass/ would totally lock up on lines of 500kb (data text files :()
# This regex will only look from the start of the line, including whitespace so will return quickly
# regardless of line length.
return true if line.match /^\s*\\documentclass/
return false
_getLinesFromContent: (content, maxContentToScan) ->
return if typeof content is 'string' then content.substring(0, maxContentToScan).split("\n") else content

View file

@ -1,31 +1,24 @@
ProjectEntityHandler = require "./ProjectEntityHandler"
ProjectEntityUpdateHandler = require "./ProjectEntityUpdateHandler"
ProjectGetter = require "./ProjectGetter"
DocumentHelper = require "../Documents/DocumentHelper"
Path = require "path"
fs = require("fs")
async = require("async")
globby = require("globby")
_ = require("underscore")
module.exports = ProjectRootDocManager =
setRootDocAutomatically: (project_id, callback = (error) ->) ->
ProjectEntityHandler.getAllDocs project_id, (error, docs) ->
return callback(error) if error?
root_doc_id = null
jobs = _.map docs, (doc, path)->
return (cb)->
rootDocId = null
for line in doc.lines || []
# We've had problems with this regex locking up CPU.
# Previously /.*\\documentclass/ would totally lock up on lines of 500kb (data text files :()
# This regex will only look from the start of the line, including whitespace so will return quickly
# regardless of line length.
match = /^\s*\\documentclass/.test(line)
isRootDoc = /\.R?tex$/.test(Path.extname(path)) and match
if isRootDoc
rootDocId = doc?._id
cb(rootDocId)
if /\.R?tex$/.test(Path.extname(path)) && DocumentHelper.contentHasDocumentclass(doc.lines)
cb(doc._id)
else
cb(null)
async.series jobs, (root_doc_id)->
if root_doc_id?
@ -33,6 +26,48 @@ module.exports = ProjectRootDocManager =
else
callback()
findRootDocFileFromDirectory: (directoryPath, callback = (error, path, content) ->) ->
filePathsPromise = globby([
'**/*.{tex,Rtex}'
], {
cwd: directoryPath,
followSymlinkedDirectories: false,
onlyFiles: true,
case: false
}
)
# the search order is such that we prefer files closer to the project root, then
# we go by file size in ascending order, because people often have a main
# file that just includes a bunch of other files; then we go by name, in
# order to be deterministic
filePathsPromise.then(
(unsortedFiles) ->
ProjectRootDocManager._sortFileList unsortedFiles, directoryPath, (err, files) ->
return callback(err) if err?
doc = null
async.until(
->
return doc? || files.length == 0
(cb) ->
file = files.shift()
fs.readFile Path.join(directoryPath, file), 'utf8', (error, content) ->
return cb(error) if error?
content = (content || '').replace(/\r/g, '')
if DocumentHelper.contentHasDocumentclass(content)
doc = {path: file, content: content}
cb(null)
(err) ->
callback(err, doc?.path, doc?.content)
)
(err) ->
callback(err)
)
# coffeescript's implicit-return mechanism returns filePathsPromise from this method, which confuses mocha
return null
setRootDocFromName: (project_id, rootDocName, callback = (error) ->) ->
ProjectEntityHandler.getAllDocPathsFromProjectById project_id, (error, docPaths) ->
return callback(error) if error?
@ -88,3 +123,33 @@ module.exports = ProjectRootDocManager =
ProjectRootDocManager.setRootDocAutomatically project_id, callback
else
ProjectRootDocManager.setRootDocAutomatically project_id, callback
_sortFileList: (listToSort, rootDirectory, callback = (error, result)->) ->
async.mapLimit(
listToSort
5
(filePath, cb) ->
fs.stat Path.join(rootDirectory, filePath), (err, stat) ->
return cb(err) if err?
cb(null,
size: stat.size
path: filePath
elements: filePath.split(Path.sep).length
name: Path.basename(filePath)
)
(err, files) ->
return callback(err) if err?
callback(null, _.map files.sort(ProjectRootDocManager._rootDocSort), (file)-> return file.path)
)
_rootDocSort: (a, b) ->
# sort first by folder depth
return a.elements - b.elements if a.elements != b.elements
# ensure main.tex is at the start of each folder
return -1 if (a.name == 'main.tex' && b.name != 'main.tex')
return 1 if (a.name != 'main.tex' && b.name == 'main.tex')
# prefer smaller files
return a.size - b.size if a.size != b.size
# otherwise, use the full path name
return a.path.localeCompare(b.path)

View file

@ -28,7 +28,7 @@ module.exports = TemplatesManager =
if zipReq.response.statusCode != 200
logger.err { uri: zipUrl, statusCode: zipReq.response.statusCode }, "non-success code getting zip from template API"
return callback new Error("get zip failed")
ProjectUploadManager.createProjectFromZipArchive user_id, projectName, dumpPath, (err, project) ->
ProjectUploadManager.createProjectFromZipArchiveWithName user_id, projectName, dumpPath, (err, project) ->
if err?
logger.err { err, zipReq }, "problem building project from zip"
return callback err

View file

@ -1,13 +1,47 @@
path = require "path"
rimraf = require "rimraf"
async = require "async"
ArchiveManager = require "./ArchiveManager"
FileSystemImportManager = require "./FileSystemImportManager"
ProjectCreationHandler = require "../Project/ProjectCreationHandler"
ProjectRootDocManager = require "../Project/ProjectRootDocManager"
ProjectDetailsHandler = require "../Project/ProjectDetailsHandler"
DocumentHelper = require "../Documents/DocumentHelper"
module.exports = ProjectUploadHandler =
createProjectFromZipArchive: (owner_id, proposedName, zipPath, callback = (error, project) ->) ->
createProjectFromZipArchive: (owner_id, defaultName, zipPath, callback = (error, project) ->) ->
destination = @_getDestinationDirectory zipPath
docPath = null
project = null
async.waterfall([
(cb) ->
ArchiveManager.extractZipArchive zipPath, destination, cb
(cb) ->
ProjectRootDocManager.findRootDocFileFromDirectory destination, (error, _docPath, docContents) ->
cb(error, _docPath, docContents)
(_docPath, docContents, cb) ->
docPath = _docPath
proposedName = DocumentHelper.getTitleFromTexContent(docContents || '') || defaultName
ProjectDetailsHandler.generateUniqueName owner_id, proposedName, (error, name) ->
cb(error, name)
(name, cb) ->
ProjectCreationHandler.createBlankProject owner_id, name, (error, _project) ->
cb(error, _project)
(_project, cb) =>
project = _project
@_insertZipContentsIntoFolder owner_id, project._id, project.rootFolder[0]._id, destination, cb
(cb) ->
if docPath?
ProjectRootDocManager.setRootDocFromName project._id, docPath, (error) ->
cb(error)
else
cb(null)
(cb) ->
cb(null, project)
], callback)
createProjectFromZipArchiveWithName: (owner_id, proposedName, zipPath, callback = (error, project) ->) ->
ProjectDetailsHandler.generateUniqueName owner_id, proposedName, (error, name) =>
return callback(error) if error?
ProjectCreationHandler.createBlankProject owner_id, name, (error, project) =>
@ -18,10 +52,14 @@ module.exports = ProjectUploadHandler =
return callback(error) if error?
callback(error, project)
insertZipArchiveIntoFolder: (owner_id, project_id, folder_id, path, callback = (error) ->) ->
destination = @_getDestinationDirectory path
ArchiveManager.extractZipArchive path, destination, (error) ->
insertZipArchiveIntoFolder: (owner_id, project_id, folder_id, zipPath, callback = (error) ->) ->
destination = @_getDestinationDirectory zipPath
ArchiveManager.extractZipArchive zipPath, destination, (error) =>
return callback(error) if error?
@_insertZipContentsIntoFolder owner_id, project_id, folder_id, destination, callback
_insertZipContentsIntoFolder: (owner_id, project_id, folder_id, destination, callback = (error) ->) ->
ArchiveManager.findTopLevelDirectory destination, (error, topLevelDestination) ->
return callback(error) if error?
FileSystemImportManager.addFolderContents owner_id, project_id, folder_id, topLevelDestination, false, (error) ->

View file

@ -125,6 +125,7 @@ describe "ProjectStructureChanges", ->
MockDocUpdaterApi.clearProjectStructureUpdates()
zip_file = fs.createReadStream(Path.resolve(__dirname + '/../files/test_project.zip'))
@test_project_name = 'wombat'
req = @owner.request.post {
uri: "project/new/upload",
@ -137,7 +138,7 @@ describe "ProjectStructureChanges", ->
@uploaded_project_id = JSON.parse(body).project_id
done()
it "should version the dosc created", ->
it "should version the docs created", ->
{docUpdates: updates, version} = MockDocUpdaterApi.getProjectStructureUpdates(@uploaded_project_id)
expect(updates.length).to.equal(1)
update = updates[0]
@ -155,6 +156,30 @@ describe "ProjectStructureChanges", ->
expect(update.url).to.be.a('string');
expect(version).to.equal(2)
describe "uploading a project with a name", ->
before (done) ->
MockDocUpdaterApi.clearProjectStructureUpdates()
zip_file = fs.createReadStream(Path.resolve(__dirname + '/../files/test_project_with_name.zip'))
@test_project_name = 'wombat'
req = @owner.request.post {
uri: "project/new/upload",
formData:
qqfile: zip_file
}, (error, res, body) =>
throw error if error?
if res.statusCode < 200 || res.statusCode >= 300
throw new Error("failed to upload project #{res.statusCode}")
@uploaded_project_id = JSON.parse(body).project_id
done()
it "should set the project name from the zip contents", (done) ->
ProjectGetter.getProject @uploaded_project_id, (error, project) =>
expect(error).not.to.exist
expect(project.name).to.equal @test_project_name
done()
describe "uploading a file", ->
beforeEach (done) ->
MockDocUpdaterApi.clearProjectStructureUpdates()

View file

@ -26,3 +26,20 @@ describe "DocumentHelper", ->
it "should accept an array", ->
document = ["\\begin{document}","\\title{foo}","\\end{document}"]
expect(@DocumentHelper.getTitleFromTexContent(document)).to.equal "foo"
describe "contentHasDocumentclass", ->
it "should return true if the content has a documentclass", ->
document = ["% line", "% line", "% line", "\\documentclass"]
expect(@DocumentHelper.contentHasDocumentclass(document)).to.equal true
it "should allow whitespace before the documentclass", ->
document = ["% line", "% line", "% line", " \\documentclass"]
expect(@DocumentHelper.contentHasDocumentclass(document)).to.equal true
it "should not allow non-whitespace before the documentclass", ->
document = ["% line", "% line", "% line", " asdf \\documentclass"]
expect(@DocumentHelper.contentHasDocumentclass(document)).to.equal false
it "should return false when there is no documentclass", ->
document = ["% line", "% line", "% line"]
expect(@DocumentHelper.contentHasDocumentclass(document)).to.equal false

View file

@ -1,5 +1,6 @@
chai = require('chai')
should = chai.should()
expect = chai.expect
sinon = require("sinon")
modulePath = "../../../../app/js/Features/Project/ProjectRootDocManager.js"
SandboxedModule = require('sandboxed-module')
@ -14,10 +15,18 @@ describe 'ProjectRootDocManager', ->
"doc-id-4": "/nested/chapter1b.tex"
@sl_req_id = "sl-req-id-123"
@callback = sinon.stub()
@globby = sinon.stub().returns(new Promise (resolve) ->
resolve(['a.tex', 'b.tex', 'main.tex'])
)
@fs =
readFile: sinon.stub().callsArgWith(2, new Error('file not found'))
stat: sinon.stub().callsArgWith(1, null, {size: 100})
@ProjectRootDocManager = SandboxedModule.require modulePath, requires:
"./ProjectEntityHandler" : @ProjectEntityHandler = {}
"./ProjectEntityUpdateHandler" : @ProjectEntityUpdateHandler = {}
"./ProjectGetter" : @ProjectGetter = {}
"globby" : @globby
"fs" : @fs
describe "setRootDocAutomatically", ->
describe "when there is a suitable root doc", ->
@ -81,6 +90,106 @@ describe 'ProjectRootDocManager', ->
it "should not set the root doc to the doc containing a documentclass", ->
@ProjectEntityUpdateHandler.setRootDoc.called.should.equal false
describe "findRootDocFileFromDirectory", ->
beforeEach ->
@fs.readFile.withArgs('/foo/a.tex').callsArgWith(2, null, 'Hello World!')
@fs.readFile.withArgs('/foo/b.tex').callsArgWith(2, null, "I'm a little teapot, get me out of here.")
@fs.readFile.withArgs('/foo/main.tex').callsArgWith(2, null, "Help, I'm trapped in a unit testing factory")
@fs.readFile.withArgs('/foo/c.tex').callsArgWith(2, null, 'Tomato, tomahto.')
@fs.readFile.withArgs('/foo/a/a.tex').callsArgWith(2, null, 'Potato? Potahto. Potootee!')
@documentclassContent = "% test\n\\documentclass\n\% test"
describe "when there is a file in a subfolder", ->
@globby = sinon.stub().returns(new Promise (resolve) ->
resolve(['c.tex', 'a.tex', 'a/a.tex', 'b.tex'])
)
it "processes the root folder files first, and then the subfolder, in alphabetical order", ->
@ProjectRootDocManager.findRootDocFileFromDirectory '/foo', =>
expect(error).not.to.exist
expect(path).to.equal null
sinon.assert.callOrder(
@fs.readFile.withArgs('/foo/a.tex')
@fs.readFile.withArgs('/foo/b.tex')
@fs.readFile.withArgs('/foo/c.tex')
@fs.readFile.withArgs('/foo/a/a.tex')
)
done()
it "processes smaller files first", ->
@fs.stat.withArgs('/foo/c.tex').callsArgWith(1, null, {size: 1})
@ProjectRootDocManager.findRootDocFileFromDirectory '/foo', =>
expect(error).not.to.exist
expect(path).to.equal null
sinon.assert.callOrder(
@fs.readFile.withArgs('/foo/c.tex')
@fs.readFile.withArgs('/foo/a.tex')
@fs.readFile.withArgs('/foo/b.tex')
@fs.readFile.withArgs('/foo/a/a.tex')
)
done()
describe "when main.tex contains a documentclass", ->
beforeEach ->
@fs.readFile.withArgs('/foo/main.tex').callsArgWith(2, null, @documentclassContent)
it "returns main.tex", (done) ->
@ProjectRootDocManager.findRootDocFileFromDirectory '/foo', (error, path, content) =>
expect(error).not.to.exist
expect(path).to.equal 'main.tex'
expect(content).to.equal @documentclassContent
done()
it "processes main.text first and stops processing when it finds the content", (done) ->
@ProjectRootDocManager.findRootDocFileFromDirectory '/foo', =>
expect(@fs.readFile).to.be.calledWith('/foo/main.tex')
expect(@fs.readFile).not.to.be.calledWith('/foo/a.tex')
done()
describe "when a.tex contains a documentclass", ->
beforeEach ->
@fs.readFile.withArgs('/foo/a.tex').callsArgWith(2, null, @documentclassContent)
it "returns a.tex", (done) ->
@ProjectRootDocManager.findRootDocFileFromDirectory '/foo', (error, path, content) =>
expect(error).not.to.exist
expect(path).to.equal 'a.tex'
expect(content).to.equal @documentclassContent
done()
it "processes main.text first and stops processing when it finds the content", (done) ->
@ProjectRootDocManager.findRootDocFileFromDirectory '/foo', =>
expect(@fs.readFile).to.be.calledWith('/foo/main.tex')
expect(@fs.readFile).to.be.calledWith('/foo/a.tex')
expect(@fs.readFile).not.to.be.calledWith('/foo/b.tex')
done()
describe "when there is no documentclass", ->
it "returns null with no error", (done) ->
@ProjectRootDocManager.findRootDocFileFromDirectory '/foo', (error, path, content) =>
expect(error).not.to.exist
expect(path).not.to.exist
expect(content).not.to.exist
done()
it "processes all the files", (done) ->
@ProjectRootDocManager.findRootDocFileFromDirectory '/foo', =>
expect(@fs.readFile).to.be.calledWith('/foo/main.tex')
expect(@fs.readFile).to.be.calledWith('/foo/a.tex')
expect(@fs.readFile).to.be.calledWith('/foo/b.tex')
done()
describe "when there is an error reading a file", ->
beforeEach ->
@fs.readFile.withArgs('/foo/a.tex').callsArgWith(2, new Error('something went wrong'))
it "returns an error", (done) ->
@ProjectRootDocManager.findRootDocFileFromDirectory '/foo', (error, path, content) =>
expect(error).to.exist
expect(path).not.to.exist
expect(content).not.to.exist
done()
describe "setRootDocFromName", ->
describe "when there is a suitable root doc", ->
beforeEach (done)->

View file

@ -31,7 +31,7 @@ describe 'TemplatesManager', ->
unlink : sinon.stub()
createWriteStream : sinon.stub().returns(on: sinon.stub().yields())
}
@ProjectUploadManager = {createProjectFromZipArchive : sinon.stub().callsArgWith(3, null, {_id:@project_id})}
@ProjectUploadManager = {createProjectFromZipArchiveWithName : sinon.stub().callsArgWith(3, null, {_id:@project_id})}
@dumpFolder = "dump/path"
@ProjectOptionsHandler = {
setCompiler:sinon.stub().callsArgWith(2)
@ -87,7 +87,7 @@ describe 'TemplatesManager', ->
@fs.createWriteStream.should.have.been.calledWith @dumpPath
it "should create project", ->
@ProjectUploadManager.createProjectFromZipArchive.should.have.been.calledWithMatch @user_id, @templateName, @dumpPath
@ProjectUploadManager.createProjectFromZipArchiveWithName.should.have.been.calledWithMatch @user_id, @templateName, @dumpPath
it "should unlink file", ->
@fs.unlink.should.have.been.calledWith @dumpPath

View file

@ -10,28 +10,95 @@ describe "ProjectUploadManager", ->
@folder_id = "folder-id-123"
@owner_id = "onwer-id-123"
@callback = sinon.stub()
@source = "/path/to/zip/file-name.zip"
@destination = "/path/to/zile/file-extracted"
@root_folder_id = @folder_id
@owner_id = "owner-id-123"
@name = "Project name"
@othername = "Other name"
@project =
_id: @project_id
rootFolder: [ _id: @root_folder_id ]
@ProjectUploadManager = SandboxedModule.require modulePath, requires:
"./FileSystemImportManager" : @FileSystemImportManager = {}
"./ArchiveManager" : @ArchiveManager = {}
"../Project/ProjectCreationHandler" : @ProjectCreationHandler = {}
"../Project/ProjectRootDocManager" : @ProjectRootDocManager = {}
"../Project/ProjectDetailsHandler" : @ProjectDetailsHandler = {}
"../Documents/DocumentHelper" : @DocumentHelper = {}
"rimraf" : @rimraf = sinon.stub().callsArg(1)
@ArchiveManager.extractZipArchive = sinon.stub().callsArg(2)
@ArchiveManager.findTopLevelDirectory = sinon.stub().callsArgWith(1, null, @topLevelDestination = "/path/to/zip/file-extracted/nested")
@ProjectCreationHandler.createBlankProject = sinon.stub().callsArgWith(2, null, @project)
@ProjectRootDocManager.setRootDocAutomatically = sinon.stub().callsArg(1)
@FileSystemImportManager.addFolderContents = sinon.stub().callsArg(5)
@ProjectRootDocManager.findRootDocFileFromDirectory = sinon.stub().callsArgWith(1, null, 'main.tex', @othername)
@ProjectRootDocManager.setRootDocFromName = sinon.stub().callsArg(2)
@DocumentHelper.getTitleFromTexContent = sinon.stub().returns(@othername)
describe "createProjectFromZipArchive", ->
beforeEach ->
@source = "/path/to/zip/file-name.zip"
@root_folder_id = @folder_id
@owner_id = "owner-id-123"
@name = "Project name"
@project =
_id: @project_id
rootFolder: [ _id: @root_folder_id ]
describe "when the title can be read from the root document", ->
beforeEach (done) ->
@ProjectUploadManager._getDestinationDirectory = sinon.stub().returns @destination
@ProjectDetailsHandler.generateUniqueName = sinon.stub().callsArgWith(2, null, @othername)
@ProjectUploadManager.createProjectFromZipArchive @owner_id, @name, @source, (err, project) =>
@callback(err, project)
done()
it "should set up the directory to extract the archive to", ->
@ProjectUploadManager._getDestinationDirectory.calledWith(@source).should.equal true
it "should extract the archive", ->
@ArchiveManager.extractZipArchive.calledWith(@source, @destination).should.equal true
it "should find the top level directory", ->
@ArchiveManager.findTopLevelDirectory.calledWith(@destination).should.equal true
it "should insert the extracted archive into the folder", ->
@FileSystemImportManager.addFolderContents.calledWith(@owner_id, @project_id, @folder_id, @topLevelDestination, false)
.should.equal true
it "should create a project owned by the owner_id", ->
@ProjectCreationHandler
.createBlankProject
.calledWith(@owner_id)
.should.equal true
it "should create a project with the correct name", ->
@ProjectCreationHandler
.createBlankProject
.calledWith(sinon.match.any, @othername)
.should.equal true
it "should read the title from the tex contents", ->
@DocumentHelper.getTitleFromTexContent.called.should.equal true
it "should set the root document", ->
@ProjectRootDocManager.setRootDocFromName.calledWith(@project_id, 'main.tex').should.equal true
it "should call the callback", ->
@callback.calledWith(sinon.match.falsy, @project).should.equal true
describe "when the root document can't be determined", ->
beforeEach (done) ->
@ProjectRootDocManager.findRootDocFileFromDirectory = sinon.stub().callsArg(1)
@ProjectUploadManager._getDestinationDirectory = sinon.stub().returns @destination
@ProjectDetailsHandler.generateUniqueName = sinon.stub().callsArgWith(2, null, @name)
@ProjectUploadManager.createProjectFromZipArchive @owner_id, @name, @source, (err, project) =>
@callback(err, project)
done()
it "should not try to set the root doc", ->
@ProjectRootDocManager.setRootDocFromName.called.should.equal false
describe "createProjectFromZipArchiveWithName", ->
beforeEach (done) ->
@ProjectDetailsHandler.generateUniqueName = sinon.stub().callsArgWith(2, null, @name)
@ProjectCreationHandler.createBlankProject = sinon.stub().callsArgWith(2, null, @project)
@ProjectUploadManager.insertZipArchiveIntoFolder = sinon.stub().callsArg(4)
@ProjectRootDocManager.setRootDocAutomatically = sinon.stub().callsArg(1)
@ProjectUploadManager.createProjectFromZipArchive @owner_id, @name, @source, @callback
@ProjectUploadManager.createProjectFromZipArchiveWithName @owner_id, @name, @source, (err, project) =>
@callback(err, project)
done()
it "should create a project owned by the owner_id", ->
@ProjectCreationHandler
@ -61,15 +128,11 @@ describe "ProjectUploadManager", ->
@callback.calledWith(sinon.match.falsy, @project).should.equal true
describe "insertZipArchiveIntoFolder", ->
beforeEach ->
@source = "/path/to/zile/file.zip"
@destination = "/path/to/zile/file-extracted"
beforeEach (done) ->
@ProjectUploadManager._getDestinationDirectory = sinon.stub().returns @destination
@ArchiveManager.extractZipArchive = sinon.stub().callsArg(2)
@ArchiveManager.findTopLevelDirectory = sinon.stub().callsArgWith(1, null, @topLevelDestination = "/path/to/zip/file-extracted/nested")
@FileSystemImportManager.addFolderContents = sinon.stub().callsArg(5)
@ProjectUploadManager.insertZipArchiveIntoFolder @owner_id, @project_id, @folder_id, @source, @callback
@ProjectUploadManager.insertZipArchiveIntoFolder @owner_id, @project_id, @folder_id, @source, (err) =>
@callback(err)
done()
it "should set up the directory to extract the archive to", ->
@ProjectUploadManager._getDestinationDirectory.calledWith(@source).should.equal true