text stringlengths 1 2.83M | id stringlengths 16 152 | metadata dict | __index_level_0__ int64 0 949 |
|---|---|---|---|
import App from '../../../base'
import PDFJS from './pdfJsLoader'
const EXTERNAL_LINK_TARGET = '_blank'
const REL_NOOPENER = 'noreferrer noopener'
App.factory('pdfAnnotations', function () {
class pdfAnnotations {
constructor(options) {
this.annotationsLayerDiv = options.annotations
this.viewport = options.viewport
this.navigateFn = options.navigateFn
}
setAnnotations(annotations) {
const result = []
for (const annotation of annotations) {
switch (annotation.subtype) {
case 'Link':
result.push(this.addLink(annotation))
break
case 'Text':
continue
default:
result.push(undefined)
}
}
}
addLink(link) {
const element = this.buildLinkElementFromRect(link.rect)
this.setLinkTarget(element, link)
this.annotationsLayerDiv.appendChild(element)
}
buildLinkElementFromRect(rect) {
rect = this.viewport.convertToViewportRectangle(rect)
rect = PDFJS.Util.normalizeRect(rect)
const element = document.createElement('a')
element.style.left = Math.floor(rect[0]) + 'px'
element.style.top = Math.floor(rect[1]) + 'px'
element.style.width = Math.ceil(rect[2] - rect[0]) + 'px'
element.style.height = Math.ceil(rect[3] - rect[1]) + 'px'
return element
}
setLinkTarget(element, link) {
if (link.url) {
element.href = link.url
element.target = EXTERNAL_LINK_TARGET
element.rel = REL_NOOPENER
} else if (link.dest) {
element.href = `#${link.dest}`
element.onclick = () => {
this.navigateFn(link)
return false
}
}
}
}
return pdfAnnotations
})
| overleaf/web/frontend/js/ide/pdfng/directives/pdfAnnotations.js/0 | {
"file_path": "overleaf/web/frontend/js/ide/pdfng/directives/pdfAnnotations.js",
"repo_id": "overleaf",
"token_count": 781
} | 524 |
/* eslint-disable
camelcase,
max-len,
no-return-assign,
no-unused-vars,
*/
// TODO: This file was created by bulk-decaffeinate.
// Fix any style issues and re-enable lint.
/*
* decaffeinate suggestions:
* DS101: Remove unnecessary use of Array.from
* DS102: Remove unnecessary code created because of implicit returns
* DS205: Consider reworking code to avoid use of IIFEs
* DS207: Consider shorter variations of null checks
* Full docs: https://github.com/decaffeinate/decaffeinate/blob/master/docs/suggestions.md
*/
import App from '../../../base'
import EventEmitter from '../../../utils/EventEmitter'
import ColorManager from '../../colors/ColorManager'
import RangesTracker from '../RangesTracker'
export default App.controller(
'ReviewPanelController',
function (
$scope,
$element,
ide,
$timeout,
$http,
$modal,
eventTracking,
localStorage
) {
let UserTCSyncState
const $reviewPanelEl = $element.find('#review-panel')
const UserTypes = {
MEMBER: 'member', // Invited, listed in project.members
GUEST: 'guest', // Not invited, but logged in so has a user_id
ANONYMOUS: 'anonymous', // No user_id
}
const currentUserType = function () {
if ((ide.$scope.user != null ? ide.$scope.user.id : undefined) == null) {
return UserTypes.ANONYMOUS
} else {
const user_id = ide.$scope.user.id
const { project } = ide.$scope
if (
(project.owner != null ? project.owner.id : undefined) === user_id
) {
return UserTypes.MEMBER
}
for (const member of Array.from(project.members)) {
if (member._id === user_id) {
return UserTypes.MEMBER
}
}
return UserTypes.GUEST
}
}
$scope.SubViews = {
CUR_FILE: 'cur_file',
OVERVIEW: 'overview',
}
$scope.UserTCSyncState = UserTCSyncState = {
SYNCED: 'synced',
PENDING: 'pending',
}
$scope.reviewPanel = {
trackChangesState: {},
trackChangesOnForEveryone: false,
trackChangesOnForGuests: false,
trackChangesForGuestsAvailable: false,
entries: {},
resolvedComments: {},
hasEntries: false,
subView: $scope.SubViews.CUR_FILE,
openSubView: $scope.SubViews.CUR_FILE,
overview: {
loading: false,
docsCollapsedState:
JSON.parse(
localStorage(`docs_collapsed_state:${$scope.project_id}`)
) || {},
},
dropdown: {
loading: false,
},
commentThreads: {},
resolvedThreadIds: {},
rendererData: {},
formattedProjectMembers: {},
fullTCStateCollapsed: true,
loadingThreads: false,
// All selected changes. If a aggregated change (insertion + deletion) is selection, the two ids
// will be present. The length of this array will differ from the count below (see explanation).
selectedEntryIds: [],
// A count of user-facing selected changes. An aggregated change (insertion + deletion) will count
// as only one.
nVisibleSelectedChanges: 0,
}
window.addEventListener('beforeunload', function () {
const collapsedStates = {}
for (const doc in $scope.reviewPanel.overview.docsCollapsedState) {
const state = $scope.reviewPanel.overview.docsCollapsedState[doc]
if (state) {
collapsedStates[doc] = state
}
}
const valToStore =
Object.keys(collapsedStates).length > 0
? JSON.stringify(collapsedStates)
: null
return localStorage(
`docs_collapsed_state:${$scope.project_id}`,
valToStore
)
})
$scope.$on('layout:pdf:linked', (event, state) =>
$scope.$broadcast('review-panel:layout')
)
$scope.$on('layout:pdf:resize', (event, state) =>
$scope.$broadcast('review-panel:layout', false)
)
$scope.$on('expandable-text-area:resize', event =>
$timeout(() => $scope.$broadcast('review-panel:layout'))
)
$scope.$on('review-panel:sizes', (e, sizes) =>
$scope.$broadcast('editor:set-scroll-size', sizes)
)
$scope.$watch('project.features.trackChangesVisible', function (visible) {
if (visible == null) {
return
}
if (!visible) {
return ($scope.ui.reviewPanelOpen = false)
}
})
$scope.$watch('project.members', function (members) {
$scope.reviewPanel.formattedProjectMembers = {}
if (($scope.project != null ? $scope.project.owner : undefined) != null) {
$scope.reviewPanel.formattedProjectMembers[
$scope.project.owner._id
] = formatUser($scope.project.owner)
}
if (
($scope.project != null ? $scope.project.members : undefined) != null
) {
return (() => {
const result = []
for (const member of Array.from(members)) {
if (member.privileges === 'readAndWrite') {
if ($scope.reviewPanel.trackChangesState[member._id] == null) {
// An added member will have track changes enabled if track changes is on for everyone
_setUserTCState(
member._id,
$scope.reviewPanel.trackChangesOnForEveryone,
true
)
}
result.push(
($scope.reviewPanel.formattedProjectMembers[
member._id
] = formatUser(member))
)
} else {
result.push(undefined)
}
}
return result
})()
}
})
$scope.commentState = {
adding: false,
content: '',
}
$scope.users = {}
$scope.reviewPanelEventsBridge = new EventEmitter()
ide.socket.on('new-comment', function (thread_id, comment) {
const thread = getThread(thread_id)
delete thread.submitting
thread.messages.push(formatComment(comment))
$scope.$apply()
return $timeout(() => $scope.$broadcast('review-panel:layout'))
})
ide.socket.on('accept-changes', function (doc_id, change_ids) {
if (doc_id !== $scope.editor.open_doc_id) {
getChangeTracker(doc_id).removeChangeIds(change_ids)
} else {
$scope.$broadcast('changes:accept', change_ids)
}
updateEntries(doc_id)
return $scope.$apply(function () {})
})
ide.socket.on('resolve-thread', (thread_id, user) =>
_onCommentResolved(thread_id, user)
)
ide.socket.on('reopen-thread', thread_id => _onCommentReopened(thread_id))
ide.socket.on('delete-thread', function (thread_id) {
_onThreadDeleted(thread_id)
return $scope.$apply(function () {})
})
ide.socket.on('edit-message', function (thread_id, message_id, content) {
_onCommentEdited(thread_id, message_id, content)
return $scope.$apply(function () {})
})
ide.socket.on('delete-message', function (thread_id, message_id) {
_onCommentDeleted(thread_id, message_id)
return $scope.$apply(function () {})
})
const rangesTrackers = {}
const getDocEntries = function (doc_id) {
if ($scope.reviewPanel.entries[doc_id] == null) {
$scope.reviewPanel.entries[doc_id] = {}
}
return $scope.reviewPanel.entries[doc_id]
}
const getDocResolvedComments = function (doc_id) {
if ($scope.reviewPanel.resolvedComments[doc_id] == null) {
$scope.reviewPanel.resolvedComments[doc_id] = {}
}
return $scope.reviewPanel.resolvedComments[doc_id]
}
var getThread = function (thread_id) {
if ($scope.reviewPanel.commentThreads[thread_id] == null) {
$scope.reviewPanel.commentThreads[thread_id] = { messages: [] }
}
return $scope.reviewPanel.commentThreads[thread_id]
}
var getChangeTracker = function (doc_id) {
if (rangesTrackers[doc_id] == null) {
rangesTrackers[doc_id] = new RangesTracker()
rangesTrackers[doc_id].resolvedThreadIds =
$scope.reviewPanel.resolvedThreadIds
}
return rangesTrackers[doc_id]
}
let scrollbar = {}
$scope.reviewPanelEventsBridge.on(
'aceScrollbarVisibilityChanged',
function (isVisible, scrollbarWidth) {
scrollbar = { isVisible, scrollbarWidth }
return updateScrollbar()
}
)
var updateScrollbar = function () {
if (
scrollbar.isVisible &&
$scope.reviewPanel.subView === $scope.SubViews.CUR_FILE &&
!$scope.editor.showRichText
) {
return $reviewPanelEl.css('right', `${scrollbar.scrollbarWidth}px`)
} else {
return $reviewPanelEl.css('right', '0')
}
}
$scope.$watch(
'!ui.reviewPanelOpen && reviewPanel.hasEntries',
function (open, prevVal) {
if (open == null) {
return
}
$scope.ui.miniReviewPanelVisible = open
if (open !== prevVal) {
return $timeout(() => $scope.$broadcast('review-panel:toggle'))
}
}
)
$scope.$watch('ui.reviewPanelOpen', function (open) {
if (open == null) {
return
}
if (!open) {
// Always show current file when not open, but save current state
$scope.reviewPanel.openSubView = $scope.reviewPanel.subView
$scope.reviewPanel.subView = $scope.SubViews.CUR_FILE
} else {
// Reset back to what we had when previously open
$scope.reviewPanel.subView = $scope.reviewPanel.openSubView
}
return $timeout(function () {
$scope.$broadcast('review-panel:toggle')
return $scope.$broadcast('review-panel:layout', false)
})
})
$scope.$watch('reviewPanel.subView', function (view) {
if (view == null) {
return
}
updateScrollbar()
if (view === $scope.SubViews.OVERVIEW) {
return refreshOverviewPanel()
}
})
$scope.$watch('editor.sharejs_doc', function (doc, old_doc) {
if (doc == null) {
return
}
// The open doc range tracker is kept up to date in real-time so
// replace any outdated info with this
rangesTrackers[doc.doc_id] = doc.ranges
rangesTrackers[doc.doc_id].resolvedThreadIds =
$scope.reviewPanel.resolvedThreadIds
$scope.reviewPanel.rangesTracker = rangesTrackers[doc.doc_id]
if (old_doc != null) {
old_doc.off('flipped_pending_to_inflight')
}
doc.on('flipped_pending_to_inflight', () => regenerateTrackChangesId(doc))
return regenerateTrackChangesId(doc)
})
$scope.$watch(
function () {
const entries =
$scope.reviewPanel.entries[$scope.editor.open_doc_id] || {}
const permEntries = {}
for (const entry in entries) {
const entryData = entries[entry]
if (!['add-comment', 'bulk-actions'].includes(entry)) {
permEntries[entry] = entryData
}
}
return Object.keys(permEntries).length
},
nEntries =>
($scope.reviewPanel.hasEntries =
nEntries > 0 && $scope.project.features.trackChangesVisible)
)
var regenerateTrackChangesId = function (doc) {
const old_id = getChangeTracker(doc.doc_id).getIdSeed()
const new_id = RangesTracker.generateIdSeed()
getChangeTracker(doc.doc_id).setIdSeed(new_id)
return doc.setTrackChangesIdSeeds({ pending: new_id, inflight: old_id })
}
const refreshRanges = () =>
$http
.get(`/project/${$scope.project_id}/ranges`)
.then(function (response) {
const docs = response.data
return (() => {
const result = []
for (const doc of Array.from(docs)) {
if (
$scope.reviewPanel.overview.docsCollapsedState[doc.id] == null
) {
$scope.reviewPanel.overview.docsCollapsedState[doc.id] = false
}
if (doc.id !== $scope.editor.open_doc_id) {
// this is kept up to date in real-time, don't overwrite
const rangesTracker = getChangeTracker(doc.id)
rangesTracker.comments =
(doc.ranges != null ? doc.ranges.comments : undefined) || []
rangesTracker.changes =
(doc.ranges != null ? doc.ranges.changes : undefined) || []
}
result.push(updateEntries(doc.id))
}
return result
})()
})
var refreshOverviewPanel = function () {
$scope.reviewPanel.overview.loading = true
return refreshRanges()
.then(() => ($scope.reviewPanel.overview.loading = false))
.catch(() => ($scope.reviewPanel.overview.loading = false))
}
$scope.refreshResolvedCommentsDropdown = function () {
$scope.reviewPanel.dropdown.loading = true
const q = refreshRanges()
q.then(() => ($scope.reviewPanel.dropdown.loading = false))
q.catch(() => ($scope.reviewPanel.dropdown.loading = false))
return q
}
var updateEntries = function (doc_id) {
let change, entry_id, key, new_entry, value
const rangesTracker = getChangeTracker(doc_id)
const entries = getDocEntries(doc_id)
const resolvedComments = getDocResolvedComments(doc_id)
let changed = false
// Assume we'll delete everything until we see it, then we'll remove it from this object
const delete_changes = {}
for (var id in entries) {
change = entries[id]
if (!['add-comment', 'bulk-actions'].includes(id)) {
for (entry_id of Array.from(change.entry_ids)) {
delete_changes[entry_id] = true
}
}
}
for (id in resolvedComments) {
change = resolvedComments[id]
for (entry_id of Array.from(change.entry_ids)) {
delete_changes[entry_id] = true
}
}
let potential_aggregate = false
let prev_insertion = null
for (change of Array.from(rangesTracker.changes)) {
changed = true
if (
potential_aggregate &&
change.op.d &&
change.op.p === prev_insertion.op.p + prev_insertion.op.i.length &&
change.metadata.user_id === prev_insertion.metadata.user_id
) {
// An actual aggregate op.
entries[prev_insertion.id].type = 'aggregate-change'
entries[prev_insertion.id].metadata.replaced_content = change.op.d
entries[prev_insertion.id].entry_ids.push(change.id)
} else {
if (entries[change.id] == null) {
entries[change.id] = {}
}
delete delete_changes[change.id]
new_entry = {
type: change.op.i ? 'insert' : 'delete',
entry_ids: [change.id],
content: change.op.i || change.op.d,
offset: change.op.p,
metadata: change.metadata,
}
for (key in new_entry) {
value = new_entry[key]
entries[change.id][key] = value
}
}
if (change.op.i) {
potential_aggregate = true
prev_insertion = change
} else {
potential_aggregate = false
prev_insertion = null
}
if ($scope.users[change.metadata.user_id] == null) {
refreshChangeUsers(change.metadata.user_id)
}
}
if (rangesTracker.comments.length > 0) {
ensureThreadsAreLoaded()
}
for (const comment of Array.from(rangesTracker.comments)) {
var new_comment
changed = true
delete delete_changes[comment.id]
if ($scope.reviewPanel.resolvedThreadIds[comment.op.t]) {
new_comment =
resolvedComments[comment.id] != null
? resolvedComments[comment.id]
: (resolvedComments[comment.id] = {})
delete entries[comment.id]
} else {
new_comment =
entries[comment.id] != null
? entries[comment.id]
: (entries[comment.id] = {})
delete resolvedComments[comment.id]
}
new_entry = {
type: 'comment',
thread_id: comment.op.t,
entry_ids: [comment.id],
content: comment.op.c,
offset: comment.op.p,
}
for (key in new_entry) {
value = new_entry[key]
new_comment[key] = value
}
}
for (const change_id in delete_changes) {
const _ = delete_changes[change_id]
changed = true
delete entries[change_id]
delete resolvedComments[change_id]
}
if (changed) {
return $scope.$broadcast('entries:changed')
}
}
$scope.$on('editor:track-changes:changed', function () {
const doc_id = $scope.editor.open_doc_id
updateEntries(doc_id)
// For now, not worrying about entry panels for rich text
if (!$scope.editor.showRichText) {
$scope.$broadcast('review-panel:recalculate-screen-positions')
return $scope.$broadcast('review-panel:layout')
}
})
$scope.$on('editor:track-changes:visibility_changed', () =>
$timeout(() => $scope.$broadcast('review-panel:layout', false))
)
$scope.$on(
'editor:focus:changed',
function (e, selection_offset_start, selection_offset_end, selection) {
const doc_id = $scope.editor.open_doc_id
const entries = getDocEntries(doc_id)
// All selected changes will be added to this array.
$scope.reviewPanel.selectedEntryIds = []
// Count of user-visible changes, i.e. an aggregated change will count as one.
$scope.reviewPanel.nVisibleSelectedChanges = 0
delete entries['add-comment']
delete entries['bulk-actions']
if (selection) {
entries['add-comment'] = {
type: 'add-comment',
offset: selection_offset_start,
length: selection_offset_end - selection_offset_start,
}
entries['bulk-actions'] = {
type: 'bulk-actions',
offset: selection_offset_start,
length: selection_offset_end - selection_offset_start,
}
}
for (const id in entries) {
const entry = entries[id]
let isChangeEntryAndWithinSelection = false
if (
entry.type === 'comment' &&
!$scope.reviewPanel.resolvedThreadIds[entry.thread_id]
) {
entry.focused =
entry.offset <= selection_offset_start &&
selection_offset_start <= entry.offset + entry.content.length
} else if (entry.type === 'insert') {
isChangeEntryAndWithinSelection =
entry.offset >= selection_offset_start &&
entry.offset + entry.content.length <= selection_offset_end
entry.focused =
entry.offset <= selection_offset_start &&
selection_offset_start <= entry.offset + entry.content.length
} else if (entry.type === 'delete') {
isChangeEntryAndWithinSelection =
selection_offset_start <= entry.offset &&
entry.offset <= selection_offset_end
entry.focused = entry.offset === selection_offset_start
} else if (entry.type === 'aggregate-change') {
isChangeEntryAndWithinSelection =
entry.offset >= selection_offset_start &&
entry.offset + entry.content.length <= selection_offset_end
entry.focused =
entry.offset <= selection_offset_start &&
selection_offset_start <= entry.offset + entry.content.length
} else if (
['add-comment', 'bulk-actions'].includes(entry.type) &&
selection
) {
entry.focused = true
}
if (isChangeEntryAndWithinSelection) {
for (const entry_id of Array.from(entry.entry_ids)) {
$scope.reviewPanel.selectedEntryIds.push(entry_id)
}
$scope.reviewPanel.nVisibleSelectedChanges++
}
}
$scope.$broadcast('review-panel:recalculate-screen-positions')
return $scope.$broadcast('review-panel:layout')
}
)
$scope.acceptChanges = function (change_ids) {
_doAcceptChanges(change_ids)
eventTracking.sendMB('rp-changes-accepted', {
view: $scope.ui.reviewPanelOpen ? $scope.reviewPanel.subView : 'mini',
})
}
$scope.rejectChanges = function (change_ids) {
_doRejectChanges(change_ids)
eventTracking.sendMB('rp-changes-rejected', {
view: $scope.ui.reviewPanelOpen ? $scope.reviewPanel.subView : 'mini',
})
}
var _doAcceptChanges = function (change_ids) {
$http.post(
`/project/${$scope.project_id}/doc/${$scope.editor.open_doc_id}/changes/accept`,
{ change_ids, _csrf: window.csrfToken }
)
return $scope.$broadcast('changes:accept', change_ids)
}
var _doRejectChanges = change_ids =>
$scope.$broadcast('changes:reject', change_ids)
const bulkAccept = function () {
_doAcceptChanges($scope.reviewPanel.selectedEntryIds.slice())
eventTracking.sendMB('rp-bulk-accept', {
view: $scope.ui.reviewPanelOpen ? $scope.reviewPanel.subView : 'mini',
nEntries: $scope.reviewPanel.nVisibleSelectedChanges,
})
}
const bulkReject = function () {
_doRejectChanges($scope.reviewPanel.selectedEntryIds.slice())
eventTracking.sendMB('rp-bulk-reject', {
view: $scope.ui.reviewPanelOpen ? $scope.reviewPanel.subView : 'mini',
nEntries: $scope.reviewPanel.nVisibleSelectedChanges,
})
}
$scope.showBulkAcceptDialog = () => showBulkActionsDialog(true)
$scope.showBulkRejectDialog = () => showBulkActionsDialog(false)
var showBulkActionsDialog = isAccept =>
$modal
.open({
templateUrl: 'bulkActionsModalTemplate',
controller: 'BulkActionsModalController',
resolve: {
isAccept() {
return isAccept
},
nChanges() {
return $scope.reviewPanel.nVisibleSelectedChanges
},
},
scope: $scope.$new(),
})
.result.then(function (isAccept) {
if (isAccept) {
return bulkAccept()
} else {
return bulkReject()
}
})
$scope.handleTogglerClick = function (e) {
e.target.blur()
return $scope.toggleReviewPanel()
}
$scope.addNewComment = function () {
$scope.$broadcast('comment:start_adding')
return $scope.toggleReviewPanel()
}
$scope.addNewCommentFromKbdShortcut = function () {
if (!$scope.project.features.trackChangesVisible) {
return
}
$scope.$broadcast('comment:select_line')
if (!$scope.ui.reviewPanelOpen) {
$scope.toggleReviewPanel()
}
return $timeout(function () {
$scope.$broadcast('review-panel:layout')
return $scope.$broadcast('comment:start_adding')
})
}
$scope.startNewComment = function () {
$scope.$broadcast('comment:select_line')
return $timeout(() => $scope.$broadcast('review-panel:layout'))
}
$scope.submitNewComment = function (content) {
if (content == null || content === '') {
return
}
const doc_id = $scope.editor.open_doc_id
const entries = getDocEntries(doc_id)
if (entries['add-comment'] == null) {
return
}
const { offset, length } = entries['add-comment']
const thread_id = RangesTracker.generateId()
const thread = getThread(thread_id)
thread.submitting = true
$scope.$broadcast('comment:add', thread_id, offset, length)
$http
.post(`/project/${$scope.project_id}/thread/${thread_id}/messages`, {
content,
_csrf: window.csrfToken,
})
.catch(() =>
ide.showGenericMessageModal(
'Error submitting comment',
'Sorry, there was a problem submitting your comment'
)
)
$scope.$broadcast('editor:clearSelection')
$timeout(() => $scope.$broadcast('review-panel:layout'))
eventTracking.sendMB('rp-new-comment', { size: content.length })
}
$scope.cancelNewComment = entry =>
$timeout(() => $scope.$broadcast('review-panel:layout'))
$scope.startReply = function (entry) {
entry.replying = true
return $timeout(() => $scope.$broadcast('review-panel:layout'))
}
$scope.submitReply = function (entry, entry_id) {
const { thread_id } = entry
const content = entry.replyContent
$http
.post(`/project/${$scope.project_id}/thread/${thread_id}/messages`, {
content,
_csrf: window.csrfToken,
})
.catch(() =>
ide.showGenericMessageModal(
'Error submitting comment',
'Sorry, there was a problem submitting your comment'
)
)
const trackingMetadata = {
view: $scope.ui.reviewPanelOpen ? $scope.reviewPanel.subView : 'mini',
size: entry.replyContent.length,
thread: thread_id,
}
const thread = getThread(thread_id)
thread.submitting = true
entry.replyContent = ''
entry.replying = false
$timeout(() => $scope.$broadcast('review-panel:layout'))
eventTracking.sendMB('rp-comment-reply', trackingMetadata)
}
$scope.cancelReply = function (entry) {
entry.replying = false
entry.replyContent = ''
return $scope.$broadcast('review-panel:layout')
}
$scope.resolveComment = function (entry, entry_id) {
entry.focused = false
$http.post(
`/project/${$scope.project_id}/thread/${entry.thread_id}/resolve`,
{ _csrf: window.csrfToken }
)
_onCommentResolved(entry.thread_id, ide.$scope.user)
eventTracking.sendMB('rp-comment-resolve', {
view: $scope.ui.reviewPanelOpen ? $scope.reviewPanel.subView : 'mini',
})
}
$scope.unresolveComment = function (thread_id) {
_onCommentReopened(thread_id)
$http.post(`/project/${$scope.project_id}/thread/${thread_id}/reopen`, {
_csrf: window.csrfToken,
})
eventTracking.sendMB('rp-comment-reopen')
}
var _onCommentResolved = function (thread_id, user) {
const thread = getThread(thread_id)
if (thread == null) {
return
}
thread.resolved = true
thread.resolved_by_user = formatUser(user)
thread.resolved_at = new Date().toISOString()
$scope.reviewPanel.resolvedThreadIds[thread_id] = true
return $scope.$broadcast('comment:resolve_threads', [thread_id])
}
var _onCommentReopened = function (thread_id) {
const thread = getThread(thread_id)
if (thread == null) {
return
}
delete thread.resolved
delete thread.resolved_by_user
delete thread.resolved_at
delete $scope.reviewPanel.resolvedThreadIds[thread_id]
return $scope.$broadcast('comment:unresolve_thread', thread_id)
}
var _onThreadDeleted = function (thread_id) {
delete $scope.reviewPanel.resolvedThreadIds[thread_id]
delete $scope.reviewPanel.commentThreads[thread_id]
return $scope.$broadcast('comment:remove', thread_id)
}
var _onCommentEdited = function (thread_id, comment_id, content) {
const thread = getThread(thread_id)
if (thread == null) {
return
}
for (const message of Array.from(thread.messages)) {
if (message.id === comment_id) {
message.content = content
}
}
return updateEntries()
}
var _onCommentDeleted = function (thread_id, comment_id) {
const thread = getThread(thread_id)
if (thread == null) {
return
}
thread.messages = thread.messages.filter(m => m.id !== comment_id)
return updateEntries()
}
$scope.deleteThread = function (entry_id, doc_id, thread_id) {
_onThreadDeleted(thread_id)
$http({
method: 'DELETE',
url: `/project/${$scope.project_id}/doc/${doc_id}/thread/${thread_id}`,
headers: {
'X-CSRF-Token': window.csrfToken,
},
})
eventTracking.sendMB('rp-comment-delete')
}
$scope.saveEdit = function (thread_id, comment) {
$http.post(
`/project/${$scope.project_id}/thread/${thread_id}/messages/${comment.id}/edit`,
{
content: comment.content,
_csrf: window.csrfToken,
}
)
return $timeout(() => $scope.$broadcast('review-panel:layout'))
}
$scope.deleteComment = function (thread_id, comment) {
_onCommentDeleted(thread_id, comment.id)
$http({
method: 'DELETE',
url: `/project/${$scope.project_id}/thread/${thread_id}/messages/${comment.id}`,
headers: {
'X-CSRF-Token': window.csrfToken,
},
})
return $timeout(() => $scope.$broadcast('review-panel:layout'))
}
$scope.setSubView = function (subView) {
$scope.reviewPanel.subView = subView
eventTracking.sendMB('rp-subview-change', { subView })
}
$scope.gotoEntry = (doc_id, entry) =>
ide.editorManager.openDocId(doc_id, { gotoOffset: entry.offset })
$scope.toggleFullTCStateCollapse = function () {
if ($scope.project.features.trackChanges) {
return ($scope.reviewPanel.fullTCStateCollapsed = !$scope.reviewPanel
.fullTCStateCollapsed)
} else {
_sendAnalytics()
return $scope.openTrackChangesUpgradeModal()
}
}
const _sendAnalytics = () => {
eventTracking.send(
'subscription-funnel',
'editor-click-feature',
'real-time-track-changes'
)
eventTracking.sendMB('track-changes-paywall-prompt')
}
const _setUserTCState = function (userId, newValue, isLocal) {
if (isLocal == null) {
isLocal = false
}
if ($scope.reviewPanel.trackChangesState[userId] == null) {
$scope.reviewPanel.trackChangesState[userId] = {}
}
const state = $scope.reviewPanel.trackChangesState[userId]
if (
state.syncState == null ||
state.syncState === UserTCSyncState.SYNCED
) {
state.value = newValue
state.syncState = UserTCSyncState.SYNCED
} else if (
state.syncState === UserTCSyncState.PENDING &&
state.value === newValue
) {
state.syncState = UserTCSyncState.SYNCED
} else if (isLocal) {
state.value = newValue
state.syncState = UserTCSyncState.PENDING
}
if (userId === ide.$scope.user.id) {
return ($scope.editor.wantTrackChanges = newValue)
}
}
const _setEveryoneTCState = function (newValue, isLocal) {
if (isLocal == null) {
isLocal = false
}
$scope.reviewPanel.trackChangesOnForEveryone = newValue
const { project } = $scope
for (const member of Array.from(project.members)) {
_setUserTCState(member._id, newValue, isLocal)
}
_setGuestsTCState(newValue, isLocal)
return _setUserTCState(project.owner._id, newValue, isLocal)
}
var _setGuestsTCState = function (newValue, isLocal) {
if (isLocal == null) {
isLocal = false
}
$scope.reviewPanel.trackChangesOnForGuests = newValue
if (
currentUserType() === UserTypes.GUEST ||
currentUserType() === UserTypes.ANONYMOUS
) {
return ($scope.editor.wantTrackChanges = newValue)
}
}
const applyClientTrackChangesStateToServer = function () {
const data = {}
if ($scope.reviewPanel.trackChangesOnForEveryone) {
data.on = true
} else {
data.on_for = {}
for (const userId in $scope.reviewPanel.trackChangesState) {
const userState = $scope.reviewPanel.trackChangesState[userId]
data.on_for[userId] = userState.value
}
if ($scope.reviewPanel.trackChangesOnForGuests) {
data.on_for_guests = true
}
}
data._csrf = window.csrfToken
return $http.post(`/project/${$scope.project_id}/track_changes`, data)
}
const applyTrackChangesStateToClient = function (state) {
if (typeof state === 'boolean') {
_setEveryoneTCState(state)
return _setGuestsTCState(state)
} else {
const { project } = $scope
$scope.reviewPanel.trackChangesOnForEveryone = false
_setGuestsTCState(state.__guests__ === true)
for (const member of Array.from(project.members)) {
_setUserTCState(
member._id,
state[member._id] != null ? state[member._id] : false
)
}
return _setUserTCState(
$scope.project.owner._id,
state[$scope.project.owner._id] != null
? state[$scope.project.owner._id]
: false
)
}
}
$scope.toggleTrackChangesForEveryone = function (onForEveryone) {
_setEveryoneTCState(onForEveryone, true)
_setGuestsTCState(onForEveryone, true)
return applyClientTrackChangesStateToServer()
}
$scope.toggleTrackChangesForGuests = function (onForGuests) {
_setGuestsTCState(onForGuests, true)
return applyClientTrackChangesStateToServer()
}
$scope.toggleTrackChangesForUser = function (onForUser, userId) {
_setUserTCState(userId, onForUser, true)
return applyClientTrackChangesStateToServer()
}
ide.socket.on('toggle-track-changes', state =>
$scope.$apply(() => applyTrackChangesStateToClient(state))
)
$scope.toggleTrackChangesFromKbdShortcut = function () {
if (
!(
$scope.project.features.trackChangesVisible &&
$scope.project.features.trackChanges
)
) {
return
}
return $scope.toggleTrackChangesForUser(
!$scope.reviewPanel.trackChangesState[ide.$scope.user.id].value,
ide.$scope.user.id
)
}
const setGuestFeatureBasedOnProjectAccessLevel = projectPublicAccessLevel =>
($scope.reviewPanel.trackChangesForGuestsAvailable =
projectPublicAccessLevel === 'tokenBased')
const onToggleTrackChangesForGuestsAvailability = function (available) {
// If the feature is no longer available we need to turn off the guest flag
if (available) {
return
}
if (!$scope.reviewPanel.trackChangesOnForGuests) {
return
} // Already turned off
if ($scope.reviewPanel.trackChangesOnForEveryone) {
return
} // Overrides guest setting
return $scope.toggleTrackChangesForGuests(false)
}
$scope.$watch(
'project.publicAccesLevel',
setGuestFeatureBasedOnProjectAccessLevel
)
$scope.$watch(
'reviewPanel.trackChangesForGuestsAvailable',
function (available) {
if (available != null) {
return onToggleTrackChangesForGuestsAvailability(available)
}
}
)
let _inited = false
ide.$scope.$on('project:joined', function () {
if (_inited) {
return
}
const { project } = ide.$scope
if (project.features.trackChanges) {
applyTrackChangesStateToClient(project.trackChangesState)
} else {
applyTrackChangesStateToClient(false)
}
setGuestFeatureBasedOnProjectAccessLevel(project.publicAccesLevel)
return (_inited = true)
})
let _refreshingRangeUsers = false
const _refreshedForUserIds = {}
var refreshChangeUsers = function (refresh_for_user_id) {
if (refresh_for_user_id != null) {
if (_refreshedForUserIds[refresh_for_user_id] != null) {
// We've already tried to refresh to get this user id, so stop it looping
return
}
_refreshedForUserIds[refresh_for_user_id] = true
}
// Only do one refresh at once
if (_refreshingRangeUsers) {
return
}
_refreshingRangeUsers = true
return $http
.get(`/project/${$scope.project_id}/changes/users`)
.then(function (response) {
const users = response.data
_refreshingRangeUsers = false
$scope.users = {}
// Always include ourself, since if we submit an op, we might need to display info
// about it locally before it has been flushed through the server
if (
(ide.$scope.user != null ? ide.$scope.user.id : undefined) != null
) {
$scope.users[ide.$scope.user.id] = formatUser(ide.$scope.user)
}
return (() => {
const result = []
for (const user of Array.from(users)) {
if (user.id != null) {
result.push(($scope.users[user.id] = formatUser(user)))
} else {
result.push(undefined)
}
}
return result
})()
})
.catch(() => (_refreshingRangeUsers = false))
}
let _threadsLoaded = false
var ensureThreadsAreLoaded = function () {
if (_threadsLoaded) {
// We get any updates in real time so only need to load them once.
return
}
_threadsLoaded = true
$scope.reviewPanel.loadingThreads = true
return $http
.get(`/project/${$scope.project_id}/threads`)
.then(function (response) {
const threads = response.data
$scope.reviewPanel.loadingThreads = false
for (var thread_id in $scope.reviewPanel.resolvedThreadIds) {
const _ = $scope.reviewPanel.resolvedThreadIds[thread_id]
delete $scope.reviewPanel.resolvedThreadIds[thread_id]
}
for (thread_id in threads) {
const thread = threads[thread_id]
for (const comment of Array.from(thread.messages)) {
formatComment(comment)
}
if (thread.resolved_by_user != null) {
thread.resolved_by_user = formatUser(thread.resolved_by_user)
$scope.reviewPanel.resolvedThreadIds[thread_id] = true
$scope.$broadcast('comment:resolve_threads', [thread_id])
}
}
$scope.reviewPanel.commentThreads = threads
return $timeout(() => $scope.$broadcast('review-panel:layout'))
})
}
var formatComment = function (comment) {
comment.user = formatUser(comment.user)
comment.timestamp = new Date(comment.timestamp)
return comment
}
var formatUser = function (user) {
let isSelf, name
const id =
(user != null ? user._id : undefined) ||
(user != null ? user.id : undefined)
if (id == null) {
return {
email: null,
name: 'Anonymous',
isSelf: false,
hue: ColorManager.ANONYMOUS_HUE,
avatar_text: 'A',
}
}
if (id === window.user_id) {
name = 'You'
isSelf = true
} else {
name = [user.first_name, user.last_name]
.filter(n => n != null && n !== '')
.join(' ')
if (name === '') {
name =
(user.email != null ? user.email.split('@')[0] : undefined) ||
'Unknown'
}
isSelf = false
}
return {
id,
email: user.email,
name,
isSelf,
hue: ColorManager.getHueForUserId(id),
avatar_text: [user.first_name, user.last_name]
.filter(n => n != null)
.map(n => n[0])
.join(''),
}
}
$scope.openTrackChangesUpgradeModal = () =>
$modal.open({
templateUrl: 'trackChangesUpgradeModalTemplate',
controller: 'TrackChangesUpgradeModalController',
scope: $scope.$new(),
})
}
)
| overleaf/web/frontend/js/ide/review-panel/controllers/ReviewPanelController.js/0 | {
"file_path": "overleaf/web/frontend/js/ide/review-panel/controllers/ReviewPanelController.js",
"repo_id": "overleaf",
"token_count": 17687
} | 525 |
/* eslint-disable
max-len,
no-return-assign,
no-unused-vars,
*/
// TODO: This file was created by bulk-decaffeinate.
// Fix any style issues and re-enable lint.
/*
* decaffeinate suggestions:
* DS102: Remove unnecessary code created because of implicit returns
* DS207: Consider shorter variations of null checks
* Full docs: https://github.com/decaffeinate/decaffeinate/blob/master/docs/suggestions.md
*/
import App from '../../../base'
const MAX_PROJECT_NAME_LENGTH = 150
export default App.controller(
'ProjectNameController',
function ($scope, $element, settings, ide) {
const projectNameReadOnlyEl = $element.find('.name')[0]
$scope.state = {
renaming: false,
overflowed: false,
}
$scope.inputs = {}
$scope.startRenaming = function () {
$scope.inputs.name = $scope.project.name
$scope.state.renaming = true
return $scope.$emit('project:rename:start')
}
$scope.finishRenaming = function () {
$scope.state.renaming = false
const newName = $scope.inputs.name
if ($scope.project.name === newName) {
return
}
const oldName = $scope.project.name
$scope.project.name = newName
return settings
.saveProjectSettings({ name: $scope.project.name })
.catch(function (response) {
const { data, status } = response
$scope.project.name = oldName
if (status === 400) {
return ide.showGenericMessageModal('Error renaming project', data)
} else {
return ide.showGenericMessageModal(
'Error renaming project',
'Please try again in a moment'
)
}
})
}
ide.socket.on('projectNameUpdated', name =>
$scope.$apply(() => ($scope.project.name = name))
)
return $scope.$watch('project.name', function (name) {
if (name != null) {
window.document.title =
name + ` - Online LaTeX Editor ${ExposedSettings.appName}`
return $scope.$applyAsync(
() =>
// This ensures that the element is measured *after* the binding is done (i.e. project name is rendered).
($scope.state.overflowed =
projectNameReadOnlyEl.scrollWidth >
projectNameReadOnlyEl.clientWidth)
)
}
})
}
)
| overleaf/web/frontend/js/ide/settings/controllers/ProjectNameController.js/0 | {
"file_path": "overleaf/web/frontend/js/ide/settings/controllers/ProjectNameController.js",
"repo_id": "overleaf",
"token_count": 957
} | 526 |
import App from '../base'
import { startFreeTrial, upgradePlan, paywallPrompt } from './account-upgrade'
App.controller('FreeTrialModalController', function ($scope) {
$scope.buttonClass = 'btn-primary'
$scope.startFreeTrial = (source, version) =>
startFreeTrial(source, version, $scope)
$scope.paywallPrompt = source => paywallPrompt(source)
})
App.controller('UpgradeModalController', function ($scope) {
$scope.buttonClass = 'btn-primary'
$scope.upgradePlan = source => upgradePlan(source, $scope)
})
| overleaf/web/frontend/js/main/account-upgrade-angular.js/0 | {
"file_path": "overleaf/web/frontend/js/main/account-upgrade-angular.js",
"repo_id": "overleaf",
"token_count": 166
} | 527 |
import App from '../../../base'
export default App.controller(
'UserOauthController',
function ($http, $scope, $q) {
const _reset = function () {
$scope.ui = {
hasError: false,
errorMessage: '',
}
$scope.providers = window.oauthProviders
$scope.thirdPartyIds = window.thirdPartyIds
}
const _unlinkError = (providerId, err) => {
$scope.providers[providerId].ui.hasError = true
$scope.providers[providerId].ui.errorMessage =
err && err.data && err.data.message ? err.data.message : 'error'
}
$scope.unlink = providerId => {
if (window.ExposedSettings.isOverleaf) {
// UI
$scope.providers[providerId].ui = {
hasError: false,
isProcessing: true,
}
// Data for update
const data = {
_csrf: window.csrfToken,
link: false,
providerId,
}
$http
.post('/user/oauth-unlink', data)
.catch(error => {
$scope.providers[providerId].ui.isProcessing = false
_unlinkError(providerId, error)
})
.then(response => {
$scope.providers[providerId].ui.isProcessing = false
if (response.status === 200) {
$scope.thirdPartyIds[providerId] = null
} else {
_unlinkError(providerId, response)
}
})
}
}
_reset()
}
)
| overleaf/web/frontend/js/main/oauth/controllers/UserOauthController.js/0 | {
"file_path": "overleaf/web/frontend/js/main/oauth/controllers/UserOauthController.js",
"repo_id": "overleaf",
"token_count": 713
} | 528 |
import App from '../base'
App.controller(
'TokenAccessPageController',
($scope, $http, $location, localStorage) => {
window.S = $scope
$scope.mode = 'accessAttempt' // 'accessAttempt' | 'v1Import'
$scope.v1ImportData = null
$scope.accessInFlight = false
$scope.accessSuccess = false
$scope.accessError = false
$scope.currentPath = () => {
return $location.path()
}
$scope.buildZipDownloadPath = projectId => {
return `/overleaf/project/${projectId}/download/zip`
}
$scope.getProjectName = () => {
if (!$scope.v1ImportData || !$scope.v1ImportData.name) {
return 'This project'
} else {
return $scope.v1ImportData.name
}
}
$scope.post = () => {
$scope.mode = 'accessAttempt'
const textData = $('#overleaf-token-access-data').text()
const parsedData = JSON.parse(textData)
const { postUrl, csrfToken } = parsedData
$scope.accessInFlight = true
$http({
method: 'POST',
url: postUrl,
data: {
_csrf: csrfToken,
},
}).then(
function successCallback(response) {
$scope.accessInFlight = false
$scope.accessError = false
const { data } = response
if (data.redirect) {
const redirect = response.data.redirect
if (!redirect) {
console.warn(
'no redirect supplied in success response data',
response
)
$scope.accessError = true
return
}
window.location.replace(redirect)
} else if (data.v1Import) {
$scope.mode = 'v1Import'
$scope.v1ImportData = data.v1Import
} else {
console.warn(
'invalid data from server in success response',
response
)
$scope.accessError = true
}
},
function errorCallback(response) {
console.warn('error response from server', response)
$scope.accessInFlight = false
$scope.accessError = response.status === 404 ? 'not_found' : 'error'
}
)
}
}
)
| overleaf/web/frontend/js/main/token-access.js/0 | {
"file_path": "overleaf/web/frontend/js/main/token-access.js",
"repo_id": "overleaf",
"token_count": 1038
} | 529 |
import { useCallback, useState } from 'react'
import { Button, OverlayTrigger, Tooltip } from 'react-bootstrap'
import PropTypes from 'prop-types'
import { Trans, useTranslation } from 'react-i18next'
import Icon from './icon'
export default function CopyLink({ link, tooltipId }) {
const { t } = useTranslation()
const [copied, setCopied] = useState(false)
const handleClick = useCallback(() => {
navigator.clipboard.writeText(link).then(() => {
setCopied(true)
window.setTimeout(() => {
setCopied(false)
}, 1500)
})
}, [link])
if (!navigator.clipboard?.writeText) {
return null
}
return (
<OverlayTrigger
placement="top"
delayHide={copied ? 1000 : 250}
shouldUpdatePosition
overlay={
<Tooltip id={tooltipId}>
{copied ? 'Copied!' : <Trans i18nKey="copy" />}
</Tooltip>
}
>
<Button
onClick={handleClick}
bsSize="xsmall"
bsStyle="link"
className="copy-button"
aria-label={t('copy')}
>
{copied ? <Icon type="check" /> : <Icon type="clipboard" />}
</Button>
</OverlayTrigger>
)
}
CopyLink.propTypes = {
link: PropTypes.string.isRequired,
tooltipId: PropTypes.string.isRequired,
}
| overleaf/web/frontend/js/shared/components/copy-link.js/0 | {
"file_path": "overleaf/web/frontend/js/shared/components/copy-link.js",
"repo_id": "overleaf",
"token_count": 528
} | 530 |
import { useEffect, useState } from 'react'
let titleIsFlashing = false
let originalTitle
let flashIntervalHandle
function flashTitle(message) {
if (document.hasFocus() || titleIsFlashing) {
return
}
function swapTitle() {
if (window.document.title === originalTitle) {
window.document.title = message
} else {
window.document.title = originalTitle
}
}
originalTitle = window.document.title
window.document.title = message
titleIsFlashing = true
flashIntervalHandle = setInterval(swapTitle, 800)
}
function stopFlashingTitle() {
if (!titleIsFlashing) {
return
}
clearInterval(flashIntervalHandle)
window.document.title = originalTitle
originalTitle = undefined
titleIsFlashing = false
}
function setTitle(title) {
if (titleIsFlashing) {
originalTitle = title
} else {
window.document.title = title
}
}
function useBrowserWindow() {
const [hasFocus, setHasFocus] = useState(document.hasFocus())
useEffect(() => {
function handleFocusEvent() {
setHasFocus(true)
}
function handleBlurEvent() {
setHasFocus(false)
}
window.addEventListener('focus', handleFocusEvent)
window.addEventListener('blur', handleBlurEvent)
return () => {
window.removeEventListener('focus', handleFocusEvent)
window.removeEventListener('blur', handleBlurEvent)
}
}, [])
return { hasFocus, flashTitle, stopFlashingTitle, setTitle }
}
export default useBrowserWindow
| overleaf/web/frontend/js/shared/hooks/use-browser-window.js/0 | {
"file_path": "overleaf/web/frontend/js/shared/hooks/use-browser-window.js",
"repo_id": "overleaf",
"token_count": 496
} | 531 |
// Fine Uploader 5.15.4 - MIT licensed. http://fineuploader.com
(function(global) {
var qq = function(element) {
"use strict";
return {
hide: function() {
element.style.display = "none";
return this;
},
attach: function(type, fn) {
if (element.addEventListener) {
element.addEventListener(type, fn, false);
} else if (element.attachEvent) {
element.attachEvent("on" + type, fn);
}
return function() {
qq(element).detach(type, fn);
};
},
detach: function(type, fn) {
if (element.removeEventListener) {
element.removeEventListener(type, fn, false);
} else if (element.attachEvent) {
element.detachEvent("on" + type, fn);
}
return this;
},
contains: function(descendant) {
if (!descendant) {
return false;
}
if (element === descendant) {
return true;
}
if (element.contains) {
return element.contains(descendant);
} else {
return !!(descendant.compareDocumentPosition(element) & 8);
}
},
insertBefore: function(elementB) {
elementB.parentNode.insertBefore(element, elementB);
return this;
},
remove: function() {
element.parentNode.removeChild(element);
return this;
},
css: function(styles) {
if (element.style == null) {
throw new qq.Error("Can't apply style to node as it is not on the HTMLElement prototype chain!");
}
if (styles.opacity != null) {
if (typeof element.style.opacity !== "string" && typeof element.filters !== "undefined") {
styles.filter = "alpha(opacity=" + Math.round(100 * styles.opacity) + ")";
}
}
qq.extend(element.style, styles);
return this;
},
hasClass: function(name, considerParent) {
var re = new RegExp("(^| )" + name + "( |$)");
return re.test(element.className) || !!(considerParent && re.test(element.parentNode.className));
},
addClass: function(name) {
if (!qq(element).hasClass(name)) {
element.className += " " + name;
}
return this;
},
removeClass: function(name) {
var re = new RegExp("(^| )" + name + "( |$)");
element.className = element.className.replace(re, " ").replace(/^\s+|\s+$/g, "");
return this;
},
getByClass: function(className, first) {
var candidates, result = [];
if (first && element.querySelector) {
return element.querySelector("." + className);
} else if (element.querySelectorAll) {
return element.querySelectorAll("." + className);
}
candidates = element.getElementsByTagName("*");
qq.each(candidates, function(idx, val) {
if (qq(val).hasClass(className)) {
result.push(val);
}
});
return first ? result[0] : result;
},
getFirstByClass: function(className) {
return qq(element).getByClass(className, true);
},
children: function() {
var children = [], child = element.firstChild;
while (child) {
if (child.nodeType === 1) {
children.push(child);
}
child = child.nextSibling;
}
return children;
},
setText: function(text) {
element.innerText = text;
element.textContent = text;
return this;
},
clearText: function() {
return qq(element).setText("");
},
hasAttribute: function(attrName) {
var attrVal;
if (element.hasAttribute) {
if (!element.hasAttribute(attrName)) {
return false;
}
return /^false$/i.exec(element.getAttribute(attrName)) == null;
} else {
attrVal = element[attrName];
if (attrVal === undefined) {
return false;
}
return /^false$/i.exec(attrVal) == null;
}
}
};
};
(function() {
"use strict";
qq.canvasToBlob = function(canvas, mime, quality) {
return qq.dataUriToBlob(canvas.toDataURL(mime, quality));
};
qq.dataUriToBlob = function(dataUri) {
var arrayBuffer, byteString, createBlob = function(data, mime) {
var BlobBuilder = window.BlobBuilder || window.WebKitBlobBuilder || window.MozBlobBuilder || window.MSBlobBuilder, blobBuilder = BlobBuilder && new BlobBuilder();
if (blobBuilder) {
blobBuilder.append(data);
return blobBuilder.getBlob(mime);
} else {
return new Blob([ data ], {
type: mime
});
}
}, intArray, mimeString;
if (dataUri.split(",")[0].indexOf("base64") >= 0) {
byteString = atob(dataUri.split(",")[1]);
} else {
byteString = decodeURI(dataUri.split(",")[1]);
}
mimeString = dataUri.split(",")[0].split(":")[1].split(";")[0];
arrayBuffer = new ArrayBuffer(byteString.length);
intArray = new Uint8Array(arrayBuffer);
qq.each(byteString, function(idx, character) {
intArray[idx] = character.charCodeAt(0);
});
return createBlob(arrayBuffer, mimeString);
};
qq.log = function(message, level) {
if (window.console) {
if (!level || level === "info") {
window.console.log(message);
} else {
if (window.console[level]) {
window.console[level](message);
} else {
window.console.log("<" + level + "> " + message);
}
}
}
};
qq.isObject = function(variable) {
return variable && !variable.nodeType && Object.prototype.toString.call(variable) === "[object Object]";
};
qq.isFunction = function(variable) {
return typeof variable === "function";
};
qq.isArray = function(value) {
return Object.prototype.toString.call(value) === "[object Array]" || value && window.ArrayBuffer && value.buffer && value.buffer.constructor === ArrayBuffer;
};
qq.isItemList = function(maybeItemList) {
return Object.prototype.toString.call(maybeItemList) === "[object DataTransferItemList]";
};
qq.isNodeList = function(maybeNodeList) {
return Object.prototype.toString.call(maybeNodeList) === "[object NodeList]" || maybeNodeList.item && maybeNodeList.namedItem;
};
qq.isString = function(maybeString) {
return Object.prototype.toString.call(maybeString) === "[object String]";
};
qq.trimStr = function(string) {
if (String.prototype.trim) {
return string.trim();
}
return string.replace(/^\s+|\s+$/g, "");
};
qq.format = function(str) {
var args = Array.prototype.slice.call(arguments, 1), newStr = str, nextIdxToReplace = newStr.indexOf("{}");
qq.each(args, function(idx, val) {
var strBefore = newStr.substring(0, nextIdxToReplace), strAfter = newStr.substring(nextIdxToReplace + 2);
newStr = strBefore + val + strAfter;
nextIdxToReplace = newStr.indexOf("{}", nextIdxToReplace + val.length);
if (nextIdxToReplace < 0) {
return false;
}
});
return newStr;
};
qq.isFile = function(maybeFile) {
return window.File && Object.prototype.toString.call(maybeFile) === "[object File]";
};
qq.isFileList = function(maybeFileList) {
return window.FileList && Object.prototype.toString.call(maybeFileList) === "[object FileList]";
};
qq.isFileOrInput = function(maybeFileOrInput) {
return qq.isFile(maybeFileOrInput) || qq.isInput(maybeFileOrInput);
};
qq.isInput = function(maybeInput, notFile) {
var evaluateType = function(type) {
var normalizedType = type.toLowerCase();
if (notFile) {
return normalizedType !== "file";
}
return normalizedType === "file";
};
if (window.HTMLInputElement) {
if (Object.prototype.toString.call(maybeInput) === "[object HTMLInputElement]") {
if (maybeInput.type && evaluateType(maybeInput.type)) {
return true;
}
}
}
if (maybeInput.tagName) {
if (maybeInput.tagName.toLowerCase() === "input") {
if (maybeInput.type && evaluateType(maybeInput.type)) {
return true;
}
}
}
return false;
};
qq.isBlob = function(maybeBlob) {
if (window.Blob && Object.prototype.toString.call(maybeBlob) === "[object Blob]") {
return true;
}
};
qq.isXhrUploadSupported = function() {
var input = document.createElement("input");
input.type = "file";
return input.multiple !== undefined && typeof File !== "undefined" && typeof FormData !== "undefined" && typeof qq.createXhrInstance().upload !== "undefined";
};
qq.createXhrInstance = function() {
if (window.XMLHttpRequest) {
return new XMLHttpRequest();
}
try {
return new ActiveXObject("MSXML2.XMLHTTP.3.0");
} catch (error) {
qq.log("Neither XHR or ActiveX are supported!", "error");
return null;
}
};
qq.isFolderDropSupported = function(dataTransfer) {
return dataTransfer.items && dataTransfer.items.length > 0 && dataTransfer.items[0].webkitGetAsEntry;
};
qq.isFileChunkingSupported = function() {
return !qq.androidStock() && qq.isXhrUploadSupported() && (File.prototype.slice !== undefined || File.prototype.webkitSlice !== undefined || File.prototype.mozSlice !== undefined);
};
qq.sliceBlob = function(fileOrBlob, start, end) {
var slicer = fileOrBlob.slice || fileOrBlob.mozSlice || fileOrBlob.webkitSlice;
return slicer.call(fileOrBlob, start, end);
};
qq.arrayBufferToHex = function(buffer) {
var bytesAsHex = "", bytes = new Uint8Array(buffer);
qq.each(bytes, function(idx, byt) {
var byteAsHexStr = byt.toString(16);
if (byteAsHexStr.length < 2) {
byteAsHexStr = "0" + byteAsHexStr;
}
bytesAsHex += byteAsHexStr;
});
return bytesAsHex;
};
qq.readBlobToHex = function(blob, startOffset, length) {
var initialBlob = qq.sliceBlob(blob, startOffset, startOffset + length), fileReader = new FileReader(), promise = new qq.Promise();
fileReader.onload = function() {
promise.success(qq.arrayBufferToHex(fileReader.result));
};
fileReader.onerror = promise.failure;
fileReader.readAsArrayBuffer(initialBlob);
return promise;
};
qq.extend = function(first, second, extendNested) {
qq.each(second, function(prop, val) {
if (extendNested && qq.isObject(val)) {
if (first[prop] === undefined) {
first[prop] = {};
}
qq.extend(first[prop], val, true);
} else {
first[prop] = val;
}
});
return first;
};
qq.override = function(target, sourceFn) {
var super_ = {}, source = sourceFn(super_);
qq.each(source, function(srcPropName, srcPropVal) {
if (target[srcPropName] !== undefined) {
super_[srcPropName] = target[srcPropName];
}
target[srcPropName] = srcPropVal;
});
return target;
};
qq.indexOf = function(arr, elt, from) {
if (arr.indexOf) {
return arr.indexOf(elt, from);
}
from = from || 0;
var len = arr.length;
if (from < 0) {
from += len;
}
for (;from < len; from += 1) {
if (arr.hasOwnProperty(from) && arr[from] === elt) {
return from;
}
}
return -1;
};
qq.getUniqueId = function() {
return "xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx".replace(/[xy]/g, function(c) {
var r = Math.random() * 16 | 0, v = c == "x" ? r : r & 3 | 8;
return v.toString(16);
});
};
qq.ie = function() {
return navigator.userAgent.indexOf("MSIE") !== -1 || navigator.userAgent.indexOf("Trident") !== -1;
};
qq.ie7 = function() {
return navigator.userAgent.indexOf("MSIE 7") !== -1;
};
qq.ie8 = function() {
return navigator.userAgent.indexOf("MSIE 8") !== -1;
};
qq.ie10 = function() {
return navigator.userAgent.indexOf("MSIE 10") !== -1;
};
qq.ie11 = function() {
return qq.ie() && navigator.userAgent.indexOf("rv:11") !== -1;
};
qq.edge = function() {
return navigator.userAgent.indexOf("Edge") >= 0;
};
qq.safari = function() {
return navigator.vendor !== undefined && navigator.vendor.indexOf("Apple") !== -1;
};
qq.chrome = function() {
return navigator.vendor !== undefined && navigator.vendor.indexOf("Google") !== -1;
};
qq.opera = function() {
return navigator.vendor !== undefined && navigator.vendor.indexOf("Opera") !== -1;
};
qq.firefox = function() {
return !qq.edge() && !qq.ie11() && navigator.userAgent.indexOf("Mozilla") !== -1 && navigator.vendor !== undefined && navigator.vendor === "";
};
qq.windows = function() {
return navigator.platform === "Win32";
};
qq.android = function() {
return navigator.userAgent.toLowerCase().indexOf("android") !== -1;
};
qq.androidStock = function() {
return qq.android() && navigator.userAgent.toLowerCase().indexOf("chrome") < 0;
};
qq.ios6 = function() {
return qq.ios() && navigator.userAgent.indexOf(" OS 6_") !== -1;
};
qq.ios7 = function() {
return qq.ios() && navigator.userAgent.indexOf(" OS 7_") !== -1;
};
qq.ios8 = function() {
return qq.ios() && navigator.userAgent.indexOf(" OS 8_") !== -1;
};
qq.ios800 = function() {
return qq.ios() && navigator.userAgent.indexOf(" OS 8_0 ") !== -1;
};
qq.ios = function() {
return navigator.userAgent.indexOf("iPad") !== -1 || navigator.userAgent.indexOf("iPod") !== -1 || navigator.userAgent.indexOf("iPhone") !== -1;
};
qq.iosChrome = function() {
return qq.ios() && navigator.userAgent.indexOf("CriOS") !== -1;
};
qq.iosSafari = function() {
return qq.ios() && !qq.iosChrome() && navigator.userAgent.indexOf("Safari") !== -1;
};
qq.iosSafariWebView = function() {
return qq.ios() && !qq.iosChrome() && !qq.iosSafari();
};
qq.preventDefault = function(e) {
if (e.preventDefault) {
e.preventDefault();
} else {
e.returnValue = false;
}
};
qq.toElement = function() {
var div = document.createElement("div");
return function(html) {
div.innerHTML = html;
var element = div.firstChild;
div.removeChild(element);
return element;
};
}();
qq.each = function(iterableItem, callback) {
var keyOrIndex, retVal;
if (iterableItem) {
if (window.Storage && iterableItem.constructor === window.Storage) {
for (keyOrIndex = 0; keyOrIndex < iterableItem.length; keyOrIndex++) {
retVal = callback(iterableItem.key(keyOrIndex), iterableItem.getItem(iterableItem.key(keyOrIndex)));
if (retVal === false) {
break;
}
}
} else if (qq.isArray(iterableItem) || qq.isItemList(iterableItem) || qq.isNodeList(iterableItem)) {
for (keyOrIndex = 0; keyOrIndex < iterableItem.length; keyOrIndex++) {
retVal = callback(keyOrIndex, iterableItem[keyOrIndex]);
if (retVal === false) {
break;
}
}
} else if (qq.isString(iterableItem)) {
for (keyOrIndex = 0; keyOrIndex < iterableItem.length; keyOrIndex++) {
retVal = callback(keyOrIndex, iterableItem.charAt(keyOrIndex));
if (retVal === false) {
break;
}
}
} else {
for (keyOrIndex in iterableItem) {
if (Object.prototype.hasOwnProperty.call(iterableItem, keyOrIndex)) {
retVal = callback(keyOrIndex, iterableItem[keyOrIndex]);
if (retVal === false) {
break;
}
}
}
}
}
};
qq.bind = function(oldFunc, context) {
if (qq.isFunction(oldFunc)) {
var args = Array.prototype.slice.call(arguments, 2);
return function() {
var newArgs = qq.extend([], args);
if (arguments.length) {
newArgs = newArgs.concat(Array.prototype.slice.call(arguments));
}
return oldFunc.apply(context, newArgs);
};
}
throw new Error("first parameter must be a function!");
};
qq.obj2url = function(obj, temp, prefixDone) {
var uristrings = [], prefix = "&", add = function(nextObj, i) {
var nextTemp = temp ? /\[\]$/.test(temp) ? temp : temp + "[" + i + "]" : i;
if (nextTemp !== "undefined" && i !== "undefined") {
uristrings.push(typeof nextObj === "object" ? qq.obj2url(nextObj, nextTemp, true) : Object.prototype.toString.call(nextObj) === "[object Function]" ? encodeURIComponent(nextTemp) + "=" + encodeURIComponent(nextObj()) : encodeURIComponent(nextTemp) + "=" + encodeURIComponent(nextObj));
}
};
if (!prefixDone && temp) {
prefix = /\?/.test(temp) ? /\?$/.test(temp) ? "" : "&" : "?";
uristrings.push(temp);
uristrings.push(qq.obj2url(obj));
} else if (Object.prototype.toString.call(obj) === "[object Array]" && typeof obj !== "undefined") {
qq.each(obj, function(idx, val) {
add(val, idx);
});
} else if (typeof obj !== "undefined" && obj !== null && typeof obj === "object") {
qq.each(obj, function(prop, val) {
add(val, prop);
});
} else {
uristrings.push(encodeURIComponent(temp) + "=" + encodeURIComponent(obj));
}
if (temp) {
return uristrings.join(prefix);
} else {
return uristrings.join(prefix).replace(/^&/, "").replace(/%20/g, "+");
}
};
qq.obj2FormData = function(obj, formData, arrayKeyName) {
if (!formData) {
formData = new FormData();
}
qq.each(obj, function(key, val) {
key = arrayKeyName ? arrayKeyName + "[" + key + "]" : key;
if (qq.isObject(val)) {
qq.obj2FormData(val, formData, key);
} else if (qq.isFunction(val)) {
formData.append(key, val());
} else {
formData.append(key, val);
}
});
return formData;
};
qq.obj2Inputs = function(obj, form) {
var input;
if (!form) {
form = document.createElement("form");
}
qq.obj2FormData(obj, {
append: function(key, val) {
input = document.createElement("input");
input.setAttribute("name", key);
input.setAttribute("value", val);
form.appendChild(input);
}
});
return form;
};
qq.parseJson = function(json) {
if (window.JSON && qq.isFunction(JSON.parse)) {
return JSON.parse(json);
} else {
return eval("(" + json + ")");
}
};
qq.getExtension = function(filename) {
var extIdx = filename.lastIndexOf(".") + 1;
if (extIdx > 0) {
return filename.substr(extIdx, filename.length - extIdx);
}
};
qq.getFilename = function(blobOrFileInput) {
if (qq.isInput(blobOrFileInput)) {
return blobOrFileInput.value.replace(/.*(\/|\\)/, "");
} else if (qq.isFile(blobOrFileInput)) {
if (blobOrFileInput.fileName !== null && blobOrFileInput.fileName !== undefined) {
return blobOrFileInput.fileName;
}
}
return blobOrFileInput.name;
};
qq.DisposeSupport = function() {
var disposers = [];
return {
dispose: function() {
var disposer;
do {
disposer = disposers.shift();
if (disposer) {
disposer();
}
} while (disposer);
},
attach: function() {
var args = arguments;
this.addDisposer(qq(args[0]).attach.apply(this, Array.prototype.slice.call(arguments, 1)));
},
addDisposer: function(disposeFunction) {
disposers.push(disposeFunction);
}
};
};
})();
(function() {
"use strict";
if (typeof define === "function" && define.amd) {
define(function() {
return qq;
});
} else if (typeof module !== "undefined" && module.exports) {
module.exports = qq;
} else {
global.qq = qq;
}
})();
(function() {
"use strict";
qq.Error = function(message) {
this.message = "[Fine Uploader " + qq.version + "] " + message;
};
qq.Error.prototype = new Error();
})();
qq.version = "5.15.4";
qq.supportedFeatures = function() {
"use strict";
var supportsUploading, supportsUploadingBlobs, supportsFileDrop, supportsAjaxFileUploading, supportsFolderDrop, supportsChunking, supportsResume, supportsUploadViaPaste, supportsUploadCors, supportsDeleteFileXdr, supportsDeleteFileCorsXhr, supportsDeleteFileCors, supportsFolderSelection, supportsImagePreviews, supportsUploadProgress;
function testSupportsFileInputElement() {
var supported = true, tempInput;
try {
tempInput = document.createElement("input");
tempInput.type = "file";
qq(tempInput).hide();
if (tempInput.disabled) {
supported = false;
}
} catch (ex) {
supported = false;
}
return supported;
}
function isChrome21OrHigher() {
return (qq.chrome() || qq.opera()) && navigator.userAgent.match(/Chrome\/[2][1-9]|Chrome\/[3-9][0-9]/) !== undefined;
}
function isChrome14OrHigher() {
return (qq.chrome() || qq.opera()) && navigator.userAgent.match(/Chrome\/[1][4-9]|Chrome\/[2-9][0-9]/) !== undefined;
}
function isCrossOriginXhrSupported() {
if (window.XMLHttpRequest) {
var xhr = qq.createXhrInstance();
return xhr.withCredentials !== undefined;
}
return false;
}
function isXdrSupported() {
return window.XDomainRequest !== undefined;
}
function isCrossOriginAjaxSupported() {
if (isCrossOriginXhrSupported()) {
return true;
}
return isXdrSupported();
}
function isFolderSelectionSupported() {
return document.createElement("input").webkitdirectory !== undefined;
}
function isLocalStorageSupported() {
try {
return !!window.localStorage && qq.isFunction(window.localStorage.setItem);
} catch (error) {
return false;
}
}
function isDragAndDropSupported() {
var span = document.createElement("span");
return ("draggable" in span || "ondragstart" in span && "ondrop" in span) && !qq.android() && !qq.ios();
}
supportsUploading = testSupportsFileInputElement();
supportsAjaxFileUploading = supportsUploading && qq.isXhrUploadSupported();
supportsUploadingBlobs = supportsAjaxFileUploading && !qq.androidStock();
supportsFileDrop = supportsAjaxFileUploading && isDragAndDropSupported();
supportsFolderDrop = supportsFileDrop && isChrome21OrHigher();
supportsChunking = supportsAjaxFileUploading && qq.isFileChunkingSupported();
supportsResume = supportsAjaxFileUploading && supportsChunking && isLocalStorageSupported();
supportsUploadViaPaste = supportsAjaxFileUploading && isChrome14OrHigher();
supportsUploadCors = supportsUploading && (window.postMessage !== undefined || supportsAjaxFileUploading);
supportsDeleteFileCorsXhr = isCrossOriginXhrSupported();
supportsDeleteFileXdr = isXdrSupported();
supportsDeleteFileCors = isCrossOriginAjaxSupported();
supportsFolderSelection = isFolderSelectionSupported();
supportsImagePreviews = supportsAjaxFileUploading && window.FileReader !== undefined;
supportsUploadProgress = function() {
if (supportsAjaxFileUploading) {
return !qq.androidStock() && !qq.iosChrome();
}
return false;
}();
return {
ajaxUploading: supportsAjaxFileUploading,
blobUploading: supportsUploadingBlobs,
canDetermineSize: supportsAjaxFileUploading,
chunking: supportsChunking,
deleteFileCors: supportsDeleteFileCors,
deleteFileCorsXdr: supportsDeleteFileXdr,
deleteFileCorsXhr: supportsDeleteFileCorsXhr,
dialogElement: !!window.HTMLDialogElement,
fileDrop: supportsFileDrop,
folderDrop: supportsFolderDrop,
folderSelection: supportsFolderSelection,
imagePreviews: supportsImagePreviews,
imageValidation: supportsImagePreviews,
itemSizeValidation: supportsAjaxFileUploading,
pause: supportsChunking,
progressBar: supportsUploadProgress,
resume: supportsResume,
scaling: supportsImagePreviews && supportsUploadingBlobs,
tiffPreviews: qq.safari(),
unlimitedScaledImageSize: !qq.ios(),
uploading: supportsUploading,
uploadCors: supportsUploadCors,
uploadCustomHeaders: supportsAjaxFileUploading,
uploadNonMultipart: supportsAjaxFileUploading,
uploadViaPaste: supportsUploadViaPaste
};
}();
qq.isGenericPromise = function(maybePromise) {
"use strict";
return !!(maybePromise && maybePromise.then && qq.isFunction(maybePromise.then));
};
qq.Promise = function() {
"use strict";
var successArgs, failureArgs, successCallbacks = [], failureCallbacks = [], doneCallbacks = [], state = 0;
qq.extend(this, {
then: function(onSuccess, onFailure) {
if (state === 0) {
if (onSuccess) {
successCallbacks.push(onSuccess);
}
if (onFailure) {
failureCallbacks.push(onFailure);
}
} else if (state === -1) {
onFailure && onFailure.apply(null, failureArgs);
} else if (onSuccess) {
onSuccess.apply(null, successArgs);
}
return this;
},
done: function(callback) {
if (state === 0) {
doneCallbacks.push(callback);
} else {
callback.apply(null, failureArgs === undefined ? successArgs : failureArgs);
}
return this;
},
success: function() {
state = 1;
successArgs = arguments;
if (successCallbacks.length) {
qq.each(successCallbacks, function(idx, callback) {
callback.apply(null, successArgs);
});
}
if (doneCallbacks.length) {
qq.each(doneCallbacks, function(idx, callback) {
callback.apply(null, successArgs);
});
}
return this;
},
failure: function() {
state = -1;
failureArgs = arguments;
if (failureCallbacks.length) {
qq.each(failureCallbacks, function(idx, callback) {
callback.apply(null, failureArgs);
});
}
if (doneCallbacks.length) {
qq.each(doneCallbacks, function(idx, callback) {
callback.apply(null, failureArgs);
});
}
return this;
}
});
};
qq.BlobProxy = function(referenceBlob, onCreate) {
"use strict";
qq.extend(this, {
referenceBlob: referenceBlob,
create: function() {
return onCreate(referenceBlob);
}
});
};
qq.UploadButton = function(o) {
"use strict";
var self = this, disposeSupport = new qq.DisposeSupport(), options = {
acceptFiles: null,
element: null,
focusClass: "qq-upload-button-focus",
folders: false,
hoverClass: "qq-upload-button-hover",
ios8BrowserCrashWorkaround: false,
multiple: false,
name: "qqfile",
onChange: function(input) {},
title: null
}, input, buttonId;
qq.extend(options, o);
buttonId = qq.getUniqueId();
function createInput() {
var input = document.createElement("input");
input.setAttribute(qq.UploadButton.BUTTON_ID_ATTR_NAME, buttonId);
input.setAttribute("title", options.title);
self.setMultiple(options.multiple, input);
if (options.folders && qq.supportedFeatures.folderSelection) {
input.setAttribute("webkitdirectory", "");
}
if (options.acceptFiles) {
input.setAttribute("accept", options.acceptFiles);
}
input.setAttribute("type", "file");
input.setAttribute("name", options.name);
qq(input).css({
position: "absolute",
right: 0,
top: 0,
fontFamily: "Arial",
fontSize: qq.ie() && !qq.ie8() ? "3500px" : "118px",
margin: 0,
padding: 0,
cursor: "pointer",
opacity: 0
});
!qq.ie7() && qq(input).css({
height: "100%"
});
options.element.appendChild(input);
disposeSupport.attach(input, "change", function() {
options.onChange(input);
});
disposeSupport.attach(input, "mouseover", function() {
qq(options.element).addClass(options.hoverClass);
});
disposeSupport.attach(input, "mouseout", function() {
qq(options.element).removeClass(options.hoverClass);
});
disposeSupport.attach(input, "focus", function() {
qq(options.element).addClass(options.focusClass);
});
disposeSupport.attach(input, "blur", function() {
qq(options.element).removeClass(options.focusClass);
});
return input;
}
qq(options.element).css({
position: "relative",
overflow: "hidden",
direction: "ltr"
});
qq.extend(this, {
getInput: function() {
return input;
},
getButtonId: function() {
return buttonId;
},
setMultiple: function(isMultiple, optInput) {
var input = optInput || this.getInput();
if (options.ios8BrowserCrashWorkaround && qq.ios8() && (qq.iosChrome() || qq.iosSafariWebView())) {
input.setAttribute("multiple", "");
} else {
if (isMultiple) {
input.setAttribute("multiple", "");
} else {
input.removeAttribute("multiple");
}
}
},
setAcceptFiles: function(acceptFiles) {
if (acceptFiles !== options.acceptFiles) {
input.setAttribute("accept", acceptFiles);
}
},
reset: function() {
if (input.parentNode) {
qq(input).remove();
}
qq(options.element).removeClass(options.focusClass);
input = null;
input = createInput();
}
});
input = createInput();
};
qq.UploadButton.BUTTON_ID_ATTR_NAME = "qq-button-id";
qq.UploadData = function(uploaderProxy) {
"use strict";
var data = [], byUuid = {}, byStatus = {}, byProxyGroupId = {}, byBatchId = {};
function getDataByIds(idOrIds) {
if (qq.isArray(idOrIds)) {
var entries = [];
qq.each(idOrIds, function(idx, id) {
entries.push(data[id]);
});
return entries;
}
return data[idOrIds];
}
function getDataByUuids(uuids) {
if (qq.isArray(uuids)) {
var entries = [];
qq.each(uuids, function(idx, uuid) {
entries.push(data[byUuid[uuid]]);
});
return entries;
}
return data[byUuid[uuids]];
}
function getDataByStatus(status) {
var statusResults = [], statuses = [].concat(status);
qq.each(statuses, function(index, statusEnum) {
var statusResultIndexes = byStatus[statusEnum];
if (statusResultIndexes !== undefined) {
qq.each(statusResultIndexes, function(i, dataIndex) {
statusResults.push(data[dataIndex]);
});
}
});
return statusResults;
}
qq.extend(this, {
addFile: function(spec) {
var status = spec.status || qq.status.SUBMITTING, id = data.push({
name: spec.name,
originalName: spec.name,
uuid: spec.uuid,
size: spec.size == null ? -1 : spec.size,
status: status
}) - 1;
if (spec.batchId) {
data[id].batchId = spec.batchId;
if (byBatchId[spec.batchId] === undefined) {
byBatchId[spec.batchId] = [];
}
byBatchId[spec.batchId].push(id);
}
if (spec.proxyGroupId) {
data[id].proxyGroupId = spec.proxyGroupId;
if (byProxyGroupId[spec.proxyGroupId] === undefined) {
byProxyGroupId[spec.proxyGroupId] = [];
}
byProxyGroupId[spec.proxyGroupId].push(id);
}
data[id].id = id;
byUuid[spec.uuid] = id;
if (byStatus[status] === undefined) {
byStatus[status] = [];
}
byStatus[status].push(id);
spec.onBeforeStatusChange && spec.onBeforeStatusChange(id);
uploaderProxy.onStatusChange(id, null, status);
return id;
},
retrieve: function(optionalFilter) {
if (qq.isObject(optionalFilter) && data.length) {
if (optionalFilter.id !== undefined) {
return getDataByIds(optionalFilter.id);
} else if (optionalFilter.uuid !== undefined) {
return getDataByUuids(optionalFilter.uuid);
} else if (optionalFilter.status) {
return getDataByStatus(optionalFilter.status);
}
} else {
return qq.extend([], data, true);
}
},
reset: function() {
data = [];
byUuid = {};
byStatus = {};
byBatchId = {};
},
setStatus: function(id, newStatus) {
var oldStatus = data[id].status, byStatusOldStatusIndex = qq.indexOf(byStatus[oldStatus], id);
byStatus[oldStatus].splice(byStatusOldStatusIndex, 1);
data[id].status = newStatus;
if (byStatus[newStatus] === undefined) {
byStatus[newStatus] = [];
}
byStatus[newStatus].push(id);
uploaderProxy.onStatusChange(id, oldStatus, newStatus);
},
uuidChanged: function(id, newUuid) {
var oldUuid = data[id].uuid;
data[id].uuid = newUuid;
byUuid[newUuid] = id;
delete byUuid[oldUuid];
},
updateName: function(id, newName) {
data[id].name = newName;
},
updateSize: function(id, newSize) {
data[id].size = newSize;
},
setParentId: function(targetId, parentId) {
data[targetId].parentId = parentId;
},
getIdsInProxyGroup: function(id) {
var proxyGroupId = data[id].proxyGroupId;
if (proxyGroupId) {
return byProxyGroupId[proxyGroupId];
}
return [];
},
getIdsInBatch: function(id) {
var batchId = data[id].batchId;
return byBatchId[batchId];
}
});
};
qq.status = {
SUBMITTING: "submitting",
SUBMITTED: "submitted",
REJECTED: "rejected",
QUEUED: "queued",
CANCELED: "canceled",
PAUSED: "paused",
UPLOADING: "uploading",
UPLOAD_RETRYING: "retrying upload",
UPLOAD_SUCCESSFUL: "upload successful",
UPLOAD_FAILED: "upload failed",
DELETE_FAILED: "delete failed",
DELETING: "deleting",
DELETED: "deleted"
};
(function() {
"use strict";
qq.basePublicApi = {
addBlobs: function(blobDataOrArray, params, endpoint) {
this.addFiles(blobDataOrArray, params, endpoint);
},
addInitialFiles: function(cannedFileList) {
var self = this;
qq.each(cannedFileList, function(index, cannedFile) {
self._addCannedFile(cannedFile);
});
},
addFiles: function(data, params, endpoint) {
this._maybeHandleIos8SafariWorkaround();
var batchId = this._storedIds.length === 0 ? qq.getUniqueId() : this._currentBatchId, processBlob = qq.bind(function(blob) {
this._handleNewFile({
blob: blob,
name: this._options.blobs.defaultName
}, batchId, verifiedFiles);
}, this), processBlobData = qq.bind(function(blobData) {
this._handleNewFile(blobData, batchId, verifiedFiles);
}, this), processCanvas = qq.bind(function(canvas) {
var blob = qq.canvasToBlob(canvas);
this._handleNewFile({
blob: blob,
name: this._options.blobs.defaultName + ".png"
}, batchId, verifiedFiles);
}, this), processCanvasData = qq.bind(function(canvasData) {
var normalizedQuality = canvasData.quality && canvasData.quality / 100, blob = qq.canvasToBlob(canvasData.canvas, canvasData.type, normalizedQuality);
this._handleNewFile({
blob: blob,
name: canvasData.name
}, batchId, verifiedFiles);
}, this), processFileOrInput = qq.bind(function(fileOrInput) {
if (qq.isInput(fileOrInput) && qq.supportedFeatures.ajaxUploading) {
var files = Array.prototype.slice.call(fileOrInput.files), self = this;
qq.each(files, function(idx, file) {
self._handleNewFile(file, batchId, verifiedFiles);
});
} else {
this._handleNewFile(fileOrInput, batchId, verifiedFiles);
}
}, this), normalizeData = function() {
if (qq.isFileList(data)) {
data = Array.prototype.slice.call(data);
}
data = [].concat(data);
}, self = this, verifiedFiles = [];
this._currentBatchId = batchId;
if (data) {
normalizeData();
qq.each(data, function(idx, fileContainer) {
if (qq.isFileOrInput(fileContainer)) {
processFileOrInput(fileContainer);
} else if (qq.isBlob(fileContainer)) {
processBlob(fileContainer);
} else if (qq.isObject(fileContainer)) {
if (fileContainer.blob && fileContainer.name) {
processBlobData(fileContainer);
} else if (fileContainer.canvas && fileContainer.name) {
processCanvasData(fileContainer);
}
} else if (fileContainer.tagName && fileContainer.tagName.toLowerCase() === "canvas") {
processCanvas(fileContainer);
} else {
self.log(fileContainer + " is not a valid file container! Ignoring!", "warn");
}
});
this.log("Received " + verifiedFiles.length + " files.");
this._prepareItemsForUpload(verifiedFiles, params, endpoint);
}
},
cancel: function(id) {
this._handler.cancel(id);
},
cancelAll: function() {
var storedIdsCopy = [], self = this;
qq.extend(storedIdsCopy, this._storedIds);
qq.each(storedIdsCopy, function(idx, storedFileId) {
self.cancel(storedFileId);
});
this._handler.cancelAll();
},
clearStoredFiles: function() {
this._storedIds = [];
},
continueUpload: function(id) {
var uploadData = this._uploadData.retrieve({
id: id
});
if (!qq.supportedFeatures.pause || !this._options.chunking.enabled) {
return false;
}
if (uploadData.status === qq.status.PAUSED) {
this.log(qq.format("Paused file ID {} ({}) will be continued. Not paused.", id, this.getName(id)));
this._uploadFile(id);
return true;
} else {
this.log(qq.format("Ignoring continue for file ID {} ({}). Not paused.", id, this.getName(id)), "error");
}
return false;
},
deleteFile: function(id) {
return this._onSubmitDelete(id);
},
doesExist: function(fileOrBlobId) {
return this._handler.isValid(fileOrBlobId);
},
drawThumbnail: function(fileId, imgOrCanvas, maxSize, fromServer, customResizeFunction) {
var promiseToReturn = new qq.Promise(), fileOrUrl, options;
if (this._imageGenerator) {
fileOrUrl = this._thumbnailUrls[fileId];
options = {
customResizeFunction: customResizeFunction,
maxSize: maxSize > 0 ? maxSize : null,
scale: maxSize > 0
};
if (!fromServer && qq.supportedFeatures.imagePreviews) {
fileOrUrl = this.getFile(fileId);
}
if (fileOrUrl == null) {
promiseToReturn.failure({
container: imgOrCanvas,
error: "File or URL not found."
});
} else {
this._imageGenerator.generate(fileOrUrl, imgOrCanvas, options).then(function success(modifiedContainer) {
promiseToReturn.success(modifiedContainer);
}, function failure(container, reason) {
promiseToReturn.failure({
container: container,
error: reason || "Problem generating thumbnail"
});
});
}
} else {
promiseToReturn.failure({
container: imgOrCanvas,
error: "Missing image generator module"
});
}
return promiseToReturn;
},
getButton: function(fileId) {
return this._getButton(this._buttonIdsForFileIds[fileId]);
},
getEndpoint: function(fileId) {
return this._endpointStore.get(fileId);
},
getFile: function(fileOrBlobId) {
return this._handler.getFile(fileOrBlobId) || null;
},
getInProgress: function() {
return this._uploadData.retrieve({
status: [ qq.status.UPLOADING, qq.status.UPLOAD_RETRYING, qq.status.QUEUED ]
}).length;
},
getName: function(id) {
return this._uploadData.retrieve({
id: id
}).name;
},
getParentId: function(id) {
var uploadDataEntry = this.getUploads({
id: id
}), parentId = null;
if (uploadDataEntry) {
if (uploadDataEntry.parentId !== undefined) {
parentId = uploadDataEntry.parentId;
}
}
return parentId;
},
getResumableFilesData: function() {
return this._handler.getResumableFilesData();
},
getSize: function(id) {
return this._uploadData.retrieve({
id: id
}).size;
},
getNetUploads: function() {
return this._netUploaded;
},
getRemainingAllowedItems: function() {
var allowedItems = this._currentItemLimit;
if (allowedItems > 0) {
return allowedItems - this._netUploadedOrQueued;
}
return null;
},
getUploads: function(optionalFilter) {
return this._uploadData.retrieve(optionalFilter);
},
getUuid: function(id) {
return this._uploadData.retrieve({
id: id
}).uuid;
},
log: function(str, level) {
if (this._options.debug && (!level || level === "info")) {
qq.log("[Fine Uploader " + qq.version + "] " + str);
} else if (level && level !== "info") {
qq.log("[Fine Uploader " + qq.version + "] " + str, level);
}
},
pauseUpload: function(id) {
var uploadData = this._uploadData.retrieve({
id: id
});
if (!qq.supportedFeatures.pause || !this._options.chunking.enabled) {
return false;
}
if (qq.indexOf([ qq.status.UPLOADING, qq.status.UPLOAD_RETRYING ], uploadData.status) >= 0) {
if (this._handler.pause(id)) {
this._uploadData.setStatus(id, qq.status.PAUSED);
return true;
} else {
this.log(qq.format("Unable to pause file ID {} ({}).", id, this.getName(id)), "error");
}
} else {
this.log(qq.format("Ignoring pause for file ID {} ({}). Not in progress.", id, this.getName(id)), "error");
}
return false;
},
removeFileRef: function(id) {
this._handler.expunge(id);
},
reset: function() {
this.log("Resetting uploader...");
this._handler.reset();
this._storedIds = [];
this._autoRetries = [];
this._retryTimeouts = [];
this._preventRetries = [];
this._thumbnailUrls = [];
qq.each(this._buttons, function(idx, button) {
button.reset();
});
this._paramsStore.reset();
this._endpointStore.reset();
this._netUploadedOrQueued = 0;
this._netUploaded = 0;
this._uploadData.reset();
this._buttonIdsForFileIds = [];
this._pasteHandler && this._pasteHandler.reset();
this._options.session.refreshOnReset && this._refreshSessionData();
this._succeededSinceLastAllComplete = [];
this._failedSinceLastAllComplete = [];
this._totalProgress && this._totalProgress.reset();
},
retry: function(id) {
return this._manualRetry(id);
},
scaleImage: function(id, specs) {
var self = this;
return qq.Scaler.prototype.scaleImage(id, specs, {
log: qq.bind(self.log, self),
getFile: qq.bind(self.getFile, self),
uploadData: self._uploadData
});
},
setCustomHeaders: function(headers, id) {
this._customHeadersStore.set(headers, id);
},
setDeleteFileCustomHeaders: function(headers, id) {
this._deleteFileCustomHeadersStore.set(headers, id);
},
setDeleteFileEndpoint: function(endpoint, id) {
this._deleteFileEndpointStore.set(endpoint, id);
},
setDeleteFileParams: function(params, id) {
this._deleteFileParamsStore.set(params, id);
},
setEndpoint: function(endpoint, id) {
this._endpointStore.set(endpoint, id);
},
setForm: function(elementOrId) {
this._updateFormSupportAndParams(elementOrId);
},
setItemLimit: function(newItemLimit) {
this._currentItemLimit = newItemLimit;
},
setName: function(id, newName) {
this._uploadData.updateName(id, newName);
},
setParams: function(params, id) {
this._paramsStore.set(params, id);
},
setUuid: function(id, newUuid) {
return this._uploadData.uuidChanged(id, newUuid);
},
setStatus: function(id, newStatus) {
var fileRecord = this.getUploads({
id: id
});
if (!fileRecord) {
throw new qq.Error(id + " is not a valid file ID.");
}
switch (newStatus) {
case qq.status.DELETED:
this._onDeleteComplete(id, null, false);
break;
case qq.status.DELETE_FAILED:
this._onDeleteComplete(id, null, true);
break;
default:
var errorMessage = "Method setStatus called on '" + name + "' not implemented yet for " + newStatus;
this.log(errorMessage);
throw new qq.Error(errorMessage);
}
},
uploadStoredFiles: function() {
if (this._storedIds.length === 0) {
this._itemError("noFilesError");
} else {
this._uploadStoredFiles();
}
}
};
qq.basePrivateApi = {
_addCannedFile: function(sessionData) {
var self = this;
return this._uploadData.addFile({
uuid: sessionData.uuid,
name: sessionData.name,
size: sessionData.size,
status: qq.status.UPLOAD_SUCCESSFUL,
onBeforeStatusChange: function(id) {
sessionData.deleteFileEndpoint && self.setDeleteFileEndpoint(sessionData.deleteFileEndpoint, id);
sessionData.deleteFileParams && self.setDeleteFileParams(sessionData.deleteFileParams, id);
if (sessionData.thumbnailUrl) {
self._thumbnailUrls[id] = sessionData.thumbnailUrl;
}
self._netUploaded++;
self._netUploadedOrQueued++;
}
});
},
_annotateWithButtonId: function(file, associatedInput) {
if (qq.isFile(file)) {
file.qqButtonId = this._getButtonId(associatedInput);
}
},
_batchError: function(message) {
this._options.callbacks.onError(null, null, message, undefined);
},
_createDeleteHandler: function() {
var self = this;
return new qq.DeleteFileAjaxRequester({
method: this._options.deleteFile.method.toUpperCase(),
maxConnections: this._options.maxConnections,
uuidParamName: this._options.request.uuidName,
customHeaders: this._deleteFileCustomHeadersStore,
paramsStore: this._deleteFileParamsStore,
endpointStore: this._deleteFileEndpointStore,
cors: this._options.cors,
log: qq.bind(self.log, self),
onDelete: function(id) {
self._onDelete(id);
self._options.callbacks.onDelete(id);
},
onDeleteComplete: function(id, xhrOrXdr, isError) {
self._onDeleteComplete(id, xhrOrXdr, isError);
self._options.callbacks.onDeleteComplete(id, xhrOrXdr, isError);
}
});
},
_createPasteHandler: function() {
var self = this;
return new qq.PasteSupport({
targetElement: this._options.paste.targetElement,
callbacks: {
log: qq.bind(self.log, self),
pasteReceived: function(blob) {
self._handleCheckedCallback({
name: "onPasteReceived",
callback: qq.bind(self._options.callbacks.onPasteReceived, self, blob),
onSuccess: qq.bind(self._handlePasteSuccess, self, blob),
identifier: "pasted image"
});
}
}
});
},
_createStore: function(initialValue, _readOnlyValues_) {
var store = {}, catchall = initialValue, perIdReadOnlyValues = {}, readOnlyValues = _readOnlyValues_, copy = function(orig) {
if (qq.isObject(orig)) {
return qq.extend({}, orig);
}
return orig;
}, getReadOnlyValues = function() {
if (qq.isFunction(readOnlyValues)) {
return readOnlyValues();
}
return readOnlyValues;
}, includeReadOnlyValues = function(id, existing) {
if (readOnlyValues && qq.isObject(existing)) {
qq.extend(existing, getReadOnlyValues());
}
if (perIdReadOnlyValues[id]) {
qq.extend(existing, perIdReadOnlyValues[id]);
}
};
return {
set: function(val, id) {
if (id == null) {
store = {};
catchall = copy(val);
} else {
store[id] = copy(val);
}
},
get: function(id) {
var values;
if (id != null && store[id]) {
values = store[id];
} else {
values = copy(catchall);
}
includeReadOnlyValues(id, values);
return copy(values);
},
addReadOnly: function(id, values) {
if (qq.isObject(store)) {
if (id === null) {
if (qq.isFunction(values)) {
readOnlyValues = values;
} else {
readOnlyValues = readOnlyValues || {};
qq.extend(readOnlyValues, values);
}
} else {
perIdReadOnlyValues[id] = perIdReadOnlyValues[id] || {};
qq.extend(perIdReadOnlyValues[id], values);
}
}
},
remove: function(fileId) {
return delete store[fileId];
},
reset: function() {
store = {};
perIdReadOnlyValues = {};
catchall = initialValue;
}
};
},
_createUploadDataTracker: function() {
var self = this;
return new qq.UploadData({
getName: function(id) {
return self.getName(id);
},
getUuid: function(id) {
return self.getUuid(id);
},
getSize: function(id) {
return self.getSize(id);
},
onStatusChange: function(id, oldStatus, newStatus) {
self._onUploadStatusChange(id, oldStatus, newStatus);
self._options.callbacks.onStatusChange(id, oldStatus, newStatus);
self._maybeAllComplete(id, newStatus);
if (self._totalProgress) {
setTimeout(function() {
self._totalProgress.onStatusChange(id, oldStatus, newStatus);
}, 0);
}
}
});
},
_createUploadButton: function(spec) {
var self = this, acceptFiles = spec.accept || this._options.validation.acceptFiles, allowedExtensions = spec.allowedExtensions || this._options.validation.allowedExtensions, button;
function allowMultiple() {
if (qq.supportedFeatures.ajaxUploading) {
if (self._options.workarounds.iosEmptyVideos && qq.ios() && !qq.ios6() && self._isAllowedExtension(allowedExtensions, ".mov")) {
return false;
}
if (spec.multiple === undefined) {
return self._options.multiple;
}
return spec.multiple;
}
return false;
}
button = new qq.UploadButton({
acceptFiles: acceptFiles,
element: spec.element,
focusClass: this._options.classes.buttonFocus,
folders: spec.folders,
hoverClass: this._options.classes.buttonHover,
ios8BrowserCrashWorkaround: this._options.workarounds.ios8BrowserCrash,
multiple: allowMultiple(),
name: this._options.request.inputName,
onChange: function(input) {
self._onInputChange(input);
},
title: spec.title == null ? this._options.text.fileInputTitle : spec.title
});
this._disposeSupport.addDisposer(function() {
button.dispose();
});
self._buttons.push(button);
return button;
},
_createUploadHandler: function(additionalOptions, namespace) {
var self = this, lastOnProgress = {}, options = {
debug: this._options.debug,
maxConnections: this._options.maxConnections,
cors: this._options.cors,
paramsStore: this._paramsStore,
endpointStore: this._endpointStore,
chunking: this._options.chunking,
resume: this._options.resume,
blobs: this._options.blobs,
log: qq.bind(self.log, self),
preventRetryParam: this._options.retry.preventRetryResponseProperty,
onProgress: function(id, name, loaded, total) {
if (loaded < 0 || total < 0) {
return;
}
if (lastOnProgress[id]) {
if (lastOnProgress[id].loaded !== loaded || lastOnProgress[id].total !== total) {
self._onProgress(id, name, loaded, total);
self._options.callbacks.onProgress(id, name, loaded, total);
}
} else {
self._onProgress(id, name, loaded, total);
self._options.callbacks.onProgress(id, name, loaded, total);
}
lastOnProgress[id] = {
loaded: loaded,
total: total
};
},
onComplete: function(id, name, result, xhr) {
delete lastOnProgress[id];
var status = self.getUploads({
id: id
}).status, retVal;
if (status === qq.status.UPLOAD_SUCCESSFUL || status === qq.status.UPLOAD_FAILED) {
return;
}
retVal = self._onComplete(id, name, result, xhr);
if (retVal instanceof qq.Promise) {
retVal.done(function() {
self._options.callbacks.onComplete(id, name, result, xhr);
});
} else {
self._options.callbacks.onComplete(id, name, result, xhr);
}
},
onCancel: function(id, name, cancelFinalizationEffort) {
var promise = new qq.Promise();
self._handleCheckedCallback({
name: "onCancel",
callback: qq.bind(self._options.callbacks.onCancel, self, id, name),
onFailure: promise.failure,
onSuccess: function() {
cancelFinalizationEffort.then(function() {
self._onCancel(id, name);
});
promise.success();
},
identifier: id
});
return promise;
},
onUploadPrep: qq.bind(this._onUploadPrep, this),
onUpload: function(id, name) {
self._onUpload(id, name);
self._options.callbacks.onUpload(id, name);
},
onUploadChunk: function(id, name, chunkData) {
self._onUploadChunk(id, chunkData);
self._options.callbacks.onUploadChunk(id, name, chunkData);
},
onUploadChunkSuccess: function(id, chunkData, result, xhr) {
self._options.callbacks.onUploadChunkSuccess.apply(self, arguments);
},
onResume: function(id, name, chunkData) {
return self._options.callbacks.onResume(id, name, chunkData);
},
onAutoRetry: function(id, name, responseJSON, xhr) {
return self._onAutoRetry.apply(self, arguments);
},
onUuidChanged: function(id, newUuid) {
self.log("Server requested UUID change from '" + self.getUuid(id) + "' to '" + newUuid + "'");
self.setUuid(id, newUuid);
},
getName: qq.bind(self.getName, self),
getUuid: qq.bind(self.getUuid, self),
getSize: qq.bind(self.getSize, self),
setSize: qq.bind(self._setSize, self),
getDataByUuid: function(uuid) {
return self.getUploads({
uuid: uuid
});
},
isQueued: function(id) {
var status = self.getUploads({
id: id
}).status;
return status === qq.status.QUEUED || status === qq.status.SUBMITTED || status === qq.status.UPLOAD_RETRYING || status === qq.status.PAUSED;
},
getIdsInProxyGroup: self._uploadData.getIdsInProxyGroup,
getIdsInBatch: self._uploadData.getIdsInBatch
};
qq.each(this._options.request, function(prop, val) {
options[prop] = val;
});
options.customHeaders = this._customHeadersStore;
if (additionalOptions) {
qq.each(additionalOptions, function(key, val) {
options[key] = val;
});
}
return new qq.UploadHandlerController(options, namespace);
},
_fileOrBlobRejected: function(id) {
this._netUploadedOrQueued--;
this._uploadData.setStatus(id, qq.status.REJECTED);
},
_formatSize: function(bytes) {
if (bytes === 0) {
return bytes + this._options.text.sizeSymbols[0];
}
var i = -1;
do {
bytes = bytes / 1e3;
i++;
} while (bytes > 999);
return Math.max(bytes, .1).toFixed(1) + this._options.text.sizeSymbols[i];
},
_generateExtraButtonSpecs: function() {
var self = this;
this._extraButtonSpecs = {};
qq.each(this._options.extraButtons, function(idx, extraButtonOptionEntry) {
var multiple = extraButtonOptionEntry.multiple, validation = qq.extend({}, self._options.validation, true), extraButtonSpec = qq.extend({}, extraButtonOptionEntry);
if (multiple === undefined) {
multiple = self._options.multiple;
}
if (extraButtonSpec.validation) {
qq.extend(validation, extraButtonOptionEntry.validation, true);
}
qq.extend(extraButtonSpec, {
multiple: multiple,
validation: validation
}, true);
self._initExtraButton(extraButtonSpec);
});
},
_getButton: function(buttonId) {
var extraButtonsSpec = this._extraButtonSpecs[buttonId];
if (extraButtonsSpec) {
return extraButtonsSpec.element;
} else if (buttonId === this._defaultButtonId) {
return this._options.button;
}
},
_getButtonId: function(buttonOrFileInputOrFile) {
var inputs, fileInput, fileBlobOrInput = buttonOrFileInputOrFile;
if (fileBlobOrInput instanceof qq.BlobProxy) {
fileBlobOrInput = fileBlobOrInput.referenceBlob;
}
if (fileBlobOrInput && !qq.isBlob(fileBlobOrInput)) {
if (qq.isFile(fileBlobOrInput)) {
return fileBlobOrInput.qqButtonId;
} else if (fileBlobOrInput.tagName.toLowerCase() === "input" && fileBlobOrInput.type.toLowerCase() === "file") {
return fileBlobOrInput.getAttribute(qq.UploadButton.BUTTON_ID_ATTR_NAME);
}
inputs = fileBlobOrInput.getElementsByTagName("input");
qq.each(inputs, function(idx, input) {
if (input.getAttribute("type") === "file") {
fileInput = input;
return false;
}
});
if (fileInput) {
return fileInput.getAttribute(qq.UploadButton.BUTTON_ID_ATTR_NAME);
}
}
},
_getNotFinished: function() {
return this._uploadData.retrieve({
status: [ qq.status.UPLOADING, qq.status.UPLOAD_RETRYING, qq.status.QUEUED, qq.status.SUBMITTING, qq.status.SUBMITTED, qq.status.PAUSED ]
}).length;
},
_getValidationBase: function(buttonId) {
var extraButtonSpec = this._extraButtonSpecs[buttonId];
return extraButtonSpec ? extraButtonSpec.validation : this._options.validation;
},
_getValidationDescriptor: function(fileWrapper) {
if (fileWrapper.file instanceof qq.BlobProxy) {
return {
name: qq.getFilename(fileWrapper.file.referenceBlob),
size: fileWrapper.file.referenceBlob.size
};
}
return {
name: this.getUploads({
id: fileWrapper.id
}).name,
size: this.getUploads({
id: fileWrapper.id
}).size
};
},
_getValidationDescriptors: function(fileWrappers) {
var self = this, fileDescriptors = [];
qq.each(fileWrappers, function(idx, fileWrapper) {
fileDescriptors.push(self._getValidationDescriptor(fileWrapper));
});
return fileDescriptors;
},
_handleCameraAccess: function() {
if (this._options.camera.ios && qq.ios()) {
var acceptIosCamera = "image/*;capture=camera", button = this._options.camera.button, buttonId = button ? this._getButtonId(button) : this._defaultButtonId, optionRoot = this._options;
if (buttonId && buttonId !== this._defaultButtonId) {
optionRoot = this._extraButtonSpecs[buttonId];
}
optionRoot.multiple = false;
if (optionRoot.validation.acceptFiles === null) {
optionRoot.validation.acceptFiles = acceptIosCamera;
} else {
optionRoot.validation.acceptFiles += "," + acceptIosCamera;
}
qq.each(this._buttons, function(idx, button) {
if (button.getButtonId() === buttonId) {
button.setMultiple(optionRoot.multiple);
button.setAcceptFiles(optionRoot.acceptFiles);
return false;
}
});
}
},
_handleCheckedCallback: function(details) {
var self = this, callbackRetVal = details.callback();
if (qq.isGenericPromise(callbackRetVal)) {
this.log(details.name + " - waiting for " + details.name + " promise to be fulfilled for " + details.identifier);
return callbackRetVal.then(function(successParam) {
self.log(details.name + " promise success for " + details.identifier);
details.onSuccess(successParam);
}, function() {
if (details.onFailure) {
self.log(details.name + " promise failure for " + details.identifier);
details.onFailure();
} else {
self.log(details.name + " promise failure for " + details.identifier);
}
});
}
if (callbackRetVal !== false) {
details.onSuccess(callbackRetVal);
} else {
if (details.onFailure) {
this.log(details.name + " - return value was 'false' for " + details.identifier + ". Invoking failure callback.");
details.onFailure();
} else {
this.log(details.name + " - return value was 'false' for " + details.identifier + ". Will not proceed.");
}
}
return callbackRetVal;
},
_handleNewFile: function(file, batchId, newFileWrapperList) {
var self = this, uuid = qq.getUniqueId(), size = -1, name = qq.getFilename(file), actualFile = file.blob || file, handler = this._customNewFileHandler ? this._customNewFileHandler : qq.bind(self._handleNewFileGeneric, self);
if (!qq.isInput(actualFile) && actualFile.size >= 0) {
size = actualFile.size;
}
handler(actualFile, name, uuid, size, newFileWrapperList, batchId, this._options.request.uuidName, {
uploadData: self._uploadData,
paramsStore: self._paramsStore,
addFileToHandler: function(id, file) {
self._handler.add(id, file);
self._netUploadedOrQueued++;
self._trackButton(id);
}
});
},
_handleNewFileGeneric: function(file, name, uuid, size, fileList, batchId) {
var id = this._uploadData.addFile({
uuid: uuid,
name: name,
size: size,
batchId: batchId
});
this._handler.add(id, file);
this._trackButton(id);
this._netUploadedOrQueued++;
fileList.push({
id: id,
file: file
});
},
_handlePasteSuccess: function(blob, extSuppliedName) {
var extension = blob.type.split("/")[1], name = extSuppliedName;
if (name == null) {
name = this._options.paste.defaultName;
}
name += "." + extension;
this.addFiles({
name: name,
blob: blob
});
},
_handleDeleteSuccess: function(id) {
if (this.getUploads({
id: id
}).status !== qq.status.DELETED) {
var name = this.getName(id);
this._netUploadedOrQueued--;
this._netUploaded--;
this._handler.expunge(id);
this._uploadData.setStatus(id, qq.status.DELETED);
this.log("Delete request for '" + name + "' has succeeded.");
}
},
_handleDeleteFailed: function(id, xhrOrXdr) {
var name = this.getName(id);
this._uploadData.setStatus(id, qq.status.DELETE_FAILED);
this.log("Delete request for '" + name + "' has failed.", "error");
if (!xhrOrXdr || xhrOrXdr.withCredentials === undefined) {
this._options.callbacks.onError(id, name, "Delete request failed", xhrOrXdr);
} else {
this._options.callbacks.onError(id, name, "Delete request failed with response code " + xhrOrXdr.status, xhrOrXdr);
}
},
_initExtraButton: function(spec) {
var button = this._createUploadButton({
accept: spec.validation.acceptFiles,
allowedExtensions: spec.validation.allowedExtensions,
element: spec.element,
folders: spec.folders,
multiple: spec.multiple,
title: spec.fileInputTitle
});
this._extraButtonSpecs[button.getButtonId()] = spec;
},
_initFormSupportAndParams: function() {
this._formSupport = qq.FormSupport && new qq.FormSupport(this._options.form, qq.bind(this.uploadStoredFiles, this), qq.bind(this.log, this));
if (this._formSupport && this._formSupport.attachedToForm) {
this._paramsStore = this._createStore(this._options.request.params, this._formSupport.getFormInputsAsObject);
this._options.autoUpload = this._formSupport.newAutoUpload;
if (this._formSupport.newEndpoint) {
this._options.request.endpoint = this._formSupport.newEndpoint;
}
} else {
this._paramsStore = this._createStore(this._options.request.params);
}
},
_isDeletePossible: function() {
if (!qq.DeleteFileAjaxRequester || !this._options.deleteFile.enabled) {
return false;
}
if (this._options.cors.expected) {
if (qq.supportedFeatures.deleteFileCorsXhr) {
return true;
}
if (qq.supportedFeatures.deleteFileCorsXdr && this._options.cors.allowXdr) {
return true;
}
return false;
}
return true;
},
_isAllowedExtension: function(allowed, fileName) {
var valid = false;
if (!allowed.length) {
return true;
}
qq.each(allowed, function(idx, allowedExt) {
if (qq.isString(allowedExt)) {
var extRegex = new RegExp("\\." + allowedExt + "$", "i");
if (fileName.match(extRegex) != null) {
valid = true;
return false;
}
}
});
return valid;
},
_itemError: function(code, maybeNameOrNames, item) {
var message = this._options.messages[code], allowedExtensions = [], names = [].concat(maybeNameOrNames), name = names[0], buttonId = this._getButtonId(item), validationBase = this._getValidationBase(buttonId), extensionsForMessage, placeholderMatch;
function r(name, replacement) {
message = message.replace(name, replacement);
}
qq.each(validationBase.allowedExtensions, function(idx, allowedExtension) {
if (qq.isString(allowedExtension)) {
allowedExtensions.push(allowedExtension);
}
});
extensionsForMessage = allowedExtensions.join(", ").toLowerCase();
r("{file}", this._options.formatFileName(name));
r("{extensions}", extensionsForMessage);
r("{sizeLimit}", this._formatSize(validationBase.sizeLimit));
r("{minSizeLimit}", this._formatSize(validationBase.minSizeLimit));
placeholderMatch = message.match(/(\{\w+\})/g);
if (placeholderMatch !== null) {
qq.each(placeholderMatch, function(idx, placeholder) {
r(placeholder, names[idx]);
});
}
this._options.callbacks.onError(null, name, message, undefined);
return message;
},
_manualRetry: function(id, callback) {
if (this._onBeforeManualRetry(id)) {
this._netUploadedOrQueued++;
this._uploadData.setStatus(id, qq.status.UPLOAD_RETRYING);
if (callback) {
callback(id);
} else {
this._handler.retry(id);
}
return true;
}
},
_maybeAllComplete: function(id, status) {
var self = this, notFinished = this._getNotFinished();
if (status === qq.status.UPLOAD_SUCCESSFUL) {
this._succeededSinceLastAllComplete.push(id);
} else if (status === qq.status.UPLOAD_FAILED) {
this._failedSinceLastAllComplete.push(id);
}
if (notFinished === 0 && (this._succeededSinceLastAllComplete.length || this._failedSinceLastAllComplete.length)) {
setTimeout(function() {
self._onAllComplete(self._succeededSinceLastAllComplete, self._failedSinceLastAllComplete);
}, 0);
}
},
_maybeHandleIos8SafariWorkaround: function() {
var self = this;
if (this._options.workarounds.ios8SafariUploads && qq.ios800() && qq.iosSafari()) {
setTimeout(function() {
window.alert(self._options.messages.unsupportedBrowserIos8Safari);
}, 0);
throw new qq.Error(this._options.messages.unsupportedBrowserIos8Safari);
}
},
_maybeParseAndSendUploadError: function(id, name, response, xhr) {
if (!response.success) {
if (xhr && xhr.status !== 200 && !response.error) {
this._options.callbacks.onError(id, name, "XHR returned response code " + xhr.status, xhr);
} else {
var errorReason = response.error ? response.error : this._options.text.defaultResponseError;
this._options.callbacks.onError(id, name, errorReason, xhr);
}
}
},
_maybeProcessNextItemAfterOnValidateCallback: function(validItem, items, index, params, endpoint) {
var self = this;
if (items.length > index) {
if (validItem || !this._options.validation.stopOnFirstInvalidFile) {
setTimeout(function() {
var validationDescriptor = self._getValidationDescriptor(items[index]), buttonId = self._getButtonId(items[index].file), button = self._getButton(buttonId);
self._handleCheckedCallback({
name: "onValidate",
callback: qq.bind(self._options.callbacks.onValidate, self, validationDescriptor, button),
onSuccess: qq.bind(self._onValidateCallbackSuccess, self, items, index, params, endpoint),
onFailure: qq.bind(self._onValidateCallbackFailure, self, items, index, params, endpoint),
identifier: "Item '" + validationDescriptor.name + "', size: " + validationDescriptor.size
});
}, 0);
} else if (!validItem) {
for (;index < items.length; index++) {
self._fileOrBlobRejected(items[index].id);
}
}
}
},
_onAllComplete: function(successful, failed) {
this._totalProgress && this._totalProgress.onAllComplete(successful, failed, this._preventRetries);
this._options.callbacks.onAllComplete(qq.extend([], successful), qq.extend([], failed));
this._succeededSinceLastAllComplete = [];
this._failedSinceLastAllComplete = [];
},
_onAutoRetry: function(id, name, responseJSON, xhr, callback) {
var self = this;
self._preventRetries[id] = responseJSON[self._options.retry.preventRetryResponseProperty];
if (self._shouldAutoRetry(id, name, responseJSON)) {
var retryWaitPeriod = self._options.retry.autoAttemptDelay * 1e3;
self._maybeParseAndSendUploadError.apply(self, arguments);
self._options.callbacks.onAutoRetry(id, name, self._autoRetries[id]);
self._onBeforeAutoRetry(id, name);
self._uploadData.setStatus(id, qq.status.UPLOAD_RETRYING);
self._retryTimeouts[id] = setTimeout(function() {
self.log("Starting retry for " + name + "...");
if (callback) {
callback(id);
} else {
self._handler.retry(id);
}
}, retryWaitPeriod);
return true;
}
},
_onBeforeAutoRetry: function(id, name) {
this.log("Waiting " + this._options.retry.autoAttemptDelay + " seconds before retrying " + name + "...");
},
_onBeforeManualRetry: function(id) {
var itemLimit = this._currentItemLimit, fileName;
if (this._preventRetries[id]) {
this.log("Retries are forbidden for id " + id, "warn");
return false;
} else if (this._handler.isValid(id)) {
fileName = this.getName(id);
if (this._options.callbacks.onManualRetry(id, fileName) === false) {
return false;
}
if (itemLimit > 0 && this._netUploadedOrQueued + 1 > itemLimit) {
this._itemError("retryFailTooManyItems");
return false;
}
this.log("Retrying upload for '" + fileName + "' (id: " + id + ")...");
return true;
} else {
this.log("'" + id + "' is not a valid file ID", "error");
return false;
}
},
_onCancel: function(id, name) {
this._netUploadedOrQueued--;
clearTimeout(this._retryTimeouts[id]);
var storedItemIndex = qq.indexOf(this._storedIds, id);
if (!this._options.autoUpload && storedItemIndex >= 0) {
this._storedIds.splice(storedItemIndex, 1);
}
this._uploadData.setStatus(id, qq.status.CANCELED);
},
_onComplete: function(id, name, result, xhr) {
if (!result.success) {
this._netUploadedOrQueued--;
this._uploadData.setStatus(id, qq.status.UPLOAD_FAILED);
if (result[this._options.retry.preventRetryResponseProperty] === true) {
this._preventRetries[id] = true;
}
} else {
if (result.thumbnailUrl) {
this._thumbnailUrls[id] = result.thumbnailUrl;
}
this._netUploaded++;
this._uploadData.setStatus(id, qq.status.UPLOAD_SUCCESSFUL);
}
this._maybeParseAndSendUploadError(id, name, result, xhr);
return result.success ? true : false;
},
_onDelete: function(id) {
this._uploadData.setStatus(id, qq.status.DELETING);
},
_onDeleteComplete: function(id, xhrOrXdr, isError) {
var name = this.getName(id);
if (isError) {
this._handleDeleteFailed(id, xhrOrXdr);
} else {
this._handleDeleteSuccess(id);
}
},
_onInputChange: function(input) {
var fileIndex;
if (qq.supportedFeatures.ajaxUploading) {
for (fileIndex = 0; fileIndex < input.files.length; fileIndex++) {
this._annotateWithButtonId(input.files[fileIndex], input);
}
this.addFiles(input.files);
} else if (input.value.length > 0) {
this.addFiles(input);
}
qq.each(this._buttons, function(idx, button) {
button.reset();
});
},
_onProgress: function(id, name, loaded, total) {
this._totalProgress && this._totalProgress.onIndividualProgress(id, loaded, total);
},
_onSubmit: function(id, name) {},
_onSubmitCallbackSuccess: function(id, name) {
this._onSubmit.apply(this, arguments);
this._uploadData.setStatus(id, qq.status.SUBMITTED);
this._onSubmitted.apply(this, arguments);
if (this._options.autoUpload) {
this._options.callbacks.onSubmitted.apply(this, arguments);
this._uploadFile(id);
} else {
this._storeForLater(id);
this._options.callbacks.onSubmitted.apply(this, arguments);
}
},
_onSubmitDelete: function(id, onSuccessCallback, additionalMandatedParams) {
var uuid = this.getUuid(id), adjustedOnSuccessCallback;
if (onSuccessCallback) {
adjustedOnSuccessCallback = qq.bind(onSuccessCallback, this, id, uuid, additionalMandatedParams);
}
if (this._isDeletePossible()) {
this._handleCheckedCallback({
name: "onSubmitDelete",
callback: qq.bind(this._options.callbacks.onSubmitDelete, this, id),
onSuccess: adjustedOnSuccessCallback || qq.bind(this._deleteHandler.sendDelete, this, id, uuid, additionalMandatedParams),
identifier: id
});
return true;
} else {
this.log("Delete request ignored for ID " + id + ", delete feature is disabled or request not possible " + "due to CORS on a user agent that does not support pre-flighting.", "warn");
return false;
}
},
_onSubmitted: function(id) {},
_onTotalProgress: function(loaded, total) {
this._options.callbacks.onTotalProgress(loaded, total);
},
_onUploadPrep: function(id) {},
_onUpload: function(id, name) {
this._uploadData.setStatus(id, qq.status.UPLOADING);
},
_onUploadChunk: function(id, chunkData) {},
_onUploadStatusChange: function(id, oldStatus, newStatus) {
if (newStatus === qq.status.PAUSED) {
clearTimeout(this._retryTimeouts[id]);
}
},
_onValidateBatchCallbackFailure: function(fileWrappers) {
var self = this;
qq.each(fileWrappers, function(idx, fileWrapper) {
self._fileOrBlobRejected(fileWrapper.id);
});
},
_onValidateBatchCallbackSuccess: function(validationDescriptors, items, params, endpoint, button) {
var errorMessage, itemLimit = this._currentItemLimit, proposedNetFilesUploadedOrQueued = this._netUploadedOrQueued;
if (itemLimit === 0 || proposedNetFilesUploadedOrQueued <= itemLimit) {
if (items.length > 0) {
this._handleCheckedCallback({
name: "onValidate",
callback: qq.bind(this._options.callbacks.onValidate, this, validationDescriptors[0], button),
onSuccess: qq.bind(this._onValidateCallbackSuccess, this, items, 0, params, endpoint),
onFailure: qq.bind(this._onValidateCallbackFailure, this, items, 0, params, endpoint),
identifier: "Item '" + items[0].file.name + "', size: " + items[0].file.size
});
} else {
this._itemError("noFilesError");
}
} else {
this._onValidateBatchCallbackFailure(items);
errorMessage = this._options.messages.tooManyItemsError.replace(/\{netItems\}/g, proposedNetFilesUploadedOrQueued).replace(/\{itemLimit\}/g, itemLimit);
this._batchError(errorMessage);
}
},
_onValidateCallbackFailure: function(items, index, params, endpoint) {
var nextIndex = index + 1;
this._fileOrBlobRejected(items[index].id, items[index].file.name);
this._maybeProcessNextItemAfterOnValidateCallback(false, items, nextIndex, params, endpoint);
},
_onValidateCallbackSuccess: function(items, index, params, endpoint) {
var self = this, nextIndex = index + 1, validationDescriptor = this._getValidationDescriptor(items[index]);
this._validateFileOrBlobData(items[index], validationDescriptor).then(function() {
self._upload(items[index].id, params, endpoint);
self._maybeProcessNextItemAfterOnValidateCallback(true, items, nextIndex, params, endpoint);
}, function() {
self._maybeProcessNextItemAfterOnValidateCallback(false, items, nextIndex, params, endpoint);
});
},
_prepareItemsForUpload: function(items, params, endpoint) {
if (items.length === 0) {
this._itemError("noFilesError");
return;
}
var validationDescriptors = this._getValidationDescriptors(items), buttonId = this._getButtonId(items[0].file), button = this._getButton(buttonId);
this._handleCheckedCallback({
name: "onValidateBatch",
callback: qq.bind(this._options.callbacks.onValidateBatch, this, validationDescriptors, button),
onSuccess: qq.bind(this._onValidateBatchCallbackSuccess, this, validationDescriptors, items, params, endpoint, button),
onFailure: qq.bind(this._onValidateBatchCallbackFailure, this, items),
identifier: "batch validation"
});
},
_preventLeaveInProgress: function() {
var self = this;
this._disposeSupport.attach(window, "beforeunload", function(e) {
if (self.getInProgress()) {
e = e || window.event;
e.returnValue = self._options.messages.onLeave;
return self._options.messages.onLeave;
}
});
},
_refreshSessionData: function() {
var self = this, options = this._options.session;
if (qq.Session && this._options.session.endpoint != null) {
if (!this._session) {
qq.extend(options, {
cors: this._options.cors
});
options.log = qq.bind(this.log, this);
options.addFileRecord = qq.bind(this._addCannedFile, this);
this._session = new qq.Session(options);
}
setTimeout(function() {
self._session.refresh().then(function(response, xhrOrXdr) {
self._sessionRequestComplete();
self._options.callbacks.onSessionRequestComplete(response, true, xhrOrXdr);
}, function(response, xhrOrXdr) {
self._options.callbacks.onSessionRequestComplete(response, false, xhrOrXdr);
});
}, 0);
}
},
_sessionRequestComplete: function() {},
_setSize: function(id, newSize) {
this._uploadData.updateSize(id, newSize);
this._totalProgress && this._totalProgress.onNewSize(id);
},
_shouldAutoRetry: function(id, name, responseJSON) {
var uploadData = this._uploadData.retrieve({
id: id
});
if (!this._preventRetries[id] && this._options.retry.enableAuto && uploadData.status !== qq.status.PAUSED) {
if (this._autoRetries[id] === undefined) {
this._autoRetries[id] = 0;
}
if (this._autoRetries[id] < this._options.retry.maxAutoAttempts) {
this._autoRetries[id] += 1;
return true;
}
}
return false;
},
_storeForLater: function(id) {
this._storedIds.push(id);
},
_trackButton: function(id) {
var buttonId;
if (qq.supportedFeatures.ajaxUploading) {
buttonId = this._handler.getFile(id).qqButtonId;
} else {
buttonId = this._getButtonId(this._handler.getInput(id));
}
if (buttonId) {
this._buttonIdsForFileIds[id] = buttonId;
}
},
_updateFormSupportAndParams: function(formElementOrId) {
this._options.form.element = formElementOrId;
this._formSupport = qq.FormSupport && new qq.FormSupport(this._options.form, qq.bind(this.uploadStoredFiles, this), qq.bind(this.log, this));
if (this._formSupport && this._formSupport.attachedToForm) {
this._paramsStore.addReadOnly(null, this._formSupport.getFormInputsAsObject);
this._options.autoUpload = this._formSupport.newAutoUpload;
if (this._formSupport.newEndpoint) {
this.setEndpoint(this._formSupport.newEndpoint);
}
}
},
_upload: function(id, params, endpoint) {
var name = this.getName(id);
if (params) {
this.setParams(params, id);
}
if (endpoint) {
this.setEndpoint(endpoint, id);
}
this._handleCheckedCallback({
name: "onSubmit",
callback: qq.bind(this._options.callbacks.onSubmit, this, id, name),
onSuccess: qq.bind(this._onSubmitCallbackSuccess, this, id, name),
onFailure: qq.bind(this._fileOrBlobRejected, this, id, name),
identifier: id
});
},
_uploadFile: function(id) {
if (!this._handler.upload(id)) {
this._uploadData.setStatus(id, qq.status.QUEUED);
}
},
_uploadStoredFiles: function() {
var idToUpload, stillSubmitting, self = this;
while (this._storedIds.length) {
idToUpload = this._storedIds.shift();
this._uploadFile(idToUpload);
}
stillSubmitting = this.getUploads({
status: qq.status.SUBMITTING
}).length;
if (stillSubmitting) {
qq.log("Still waiting for " + stillSubmitting + " files to clear submit queue. Will re-parse stored IDs array shortly.");
setTimeout(function() {
self._uploadStoredFiles();
}, 1e3);
}
},
_validateFileOrBlobData: function(fileWrapper, validationDescriptor) {
var self = this, file = function() {
if (fileWrapper.file instanceof qq.BlobProxy) {
return fileWrapper.file.referenceBlob;
}
return fileWrapper.file;
}(), name = validationDescriptor.name, size = validationDescriptor.size, buttonId = this._getButtonId(fileWrapper.file), validationBase = this._getValidationBase(buttonId), validityChecker = new qq.Promise();
validityChecker.then(function() {}, function() {
self._fileOrBlobRejected(fileWrapper.id, name);
});
if (qq.isFileOrInput(file) && !this._isAllowedExtension(validationBase.allowedExtensions, name)) {
this._itemError("typeError", name, file);
return validityChecker.failure();
}
if (!this._options.validation.allowEmpty && size === 0) {
this._itemError("emptyError", name, file);
return validityChecker.failure();
}
if (size > 0 && validationBase.sizeLimit && size > validationBase.sizeLimit) {
this._itemError("sizeError", name, file);
return validityChecker.failure();
}
if (size > 0 && size < validationBase.minSizeLimit) {
this._itemError("minSizeError", name, file);
return validityChecker.failure();
}
if (qq.ImageValidation && qq.supportedFeatures.imagePreviews && qq.isFile(file)) {
new qq.ImageValidation(file, qq.bind(self.log, self)).validate(validationBase.image).then(validityChecker.success, function(errorCode) {
self._itemError(errorCode + "ImageError", name, file);
validityChecker.failure();
});
} else {
validityChecker.success();
}
return validityChecker;
},
_wrapCallbacks: function() {
var self, safeCallback, prop;
self = this;
safeCallback = function(name, callback, args) {
var errorMsg;
try {
return callback.apply(self, args);
} catch (exception) {
errorMsg = exception.message || exception.toString();
self.log("Caught exception in '" + name + "' callback - " + errorMsg, "error");
}
};
for (prop in this._options.callbacks) {
(function() {
var callbackName, callbackFunc;
callbackName = prop;
callbackFunc = self._options.callbacks[callbackName];
self._options.callbacks[callbackName] = function() {
return safeCallback(callbackName, callbackFunc, arguments);
};
})();
}
}
};
})();
(function() {
"use strict";
qq.FineUploaderBasic = function(o) {
var self = this;
this._options = {
debug: false,
button: null,
multiple: true,
maxConnections: 3,
disableCancelForFormUploads: false,
autoUpload: true,
request: {
customHeaders: {},
endpoint: "/server/upload",
filenameParam: "qqfilename",
forceMultipart: true,
inputName: "qqfile",
method: "POST",
params: {},
paramsInBody: true,
totalFileSizeName: "qqtotalfilesize",
uuidName: "qquuid"
},
validation: {
allowedExtensions: [],
sizeLimit: 0,
minSizeLimit: 0,
itemLimit: 0,
stopOnFirstInvalidFile: true,
acceptFiles: null,
image: {
maxHeight: 0,
maxWidth: 0,
minHeight: 0,
minWidth: 0
},
allowEmpty: false
},
callbacks: {
onSubmit: function(id, name) {},
onSubmitted: function(id, name) {},
onComplete: function(id, name, responseJSON, maybeXhr) {},
onAllComplete: function(successful, failed) {},
onCancel: function(id, name) {},
onUpload: function(id, name) {},
onUploadChunk: function(id, name, chunkData) {},
onUploadChunkSuccess: function(id, chunkData, responseJSON, xhr) {},
onResume: function(id, fileName, chunkData) {},
onProgress: function(id, name, loaded, total) {},
onTotalProgress: function(loaded, total) {},
onError: function(id, name, reason, maybeXhrOrXdr) {},
onAutoRetry: function(id, name, attemptNumber) {},
onManualRetry: function(id, name) {},
onValidateBatch: function(fileOrBlobData) {},
onValidate: function(fileOrBlobData) {},
onSubmitDelete: function(id) {},
onDelete: function(id) {},
onDeleteComplete: function(id, xhrOrXdr, isError) {},
onPasteReceived: function(blob) {},
onStatusChange: function(id, oldStatus, newStatus) {},
onSessionRequestComplete: function(response, success, xhrOrXdr) {}
},
messages: {
typeError: "{file} has an invalid extension. Valid extension(s): {extensions}.",
sizeError: "{file} is too large, maximum file size is {sizeLimit}.",
minSizeError: "{file} is too small, minimum file size is {minSizeLimit}.",
emptyError: "{file} is empty, please select files again without it.",
noFilesError: "No files to upload.",
tooManyItemsError: "Too many items ({netItems}) would be uploaded. Item limit is {itemLimit}.",
maxHeightImageError: "Image is too tall.",
maxWidthImageError: "Image is too wide.",
minHeightImageError: "Image is not tall enough.",
minWidthImageError: "Image is not wide enough.",
retryFailTooManyItems: "Retry failed - you have reached your file limit.",
onLeave: "The files are being uploaded, if you leave now the upload will be canceled.",
unsupportedBrowserIos8Safari: "Unrecoverable error - this browser does not permit file uploading of any kind due to serious bugs in iOS8 Safari. Please use iOS8 Chrome until Apple fixes these issues."
},
retry: {
enableAuto: false,
maxAutoAttempts: 3,
autoAttemptDelay: 5,
preventRetryResponseProperty: "preventRetry"
},
classes: {
buttonHover: "qq-upload-button-hover",
buttonFocus: "qq-upload-button-focus"
},
chunking: {
enabled: false,
concurrent: {
enabled: false
},
mandatory: false,
paramNames: {
partIndex: "qqpartindex",
partByteOffset: "qqpartbyteoffset",
chunkSize: "qqchunksize",
totalFileSize: "qqtotalfilesize",
totalParts: "qqtotalparts"
},
partSize: 2e6,
success: {
endpoint: null
}
},
resume: {
enabled: false,
recordsExpireIn: 7,
paramNames: {
resuming: "qqresume"
}
},
formatFileName: function(fileOrBlobName) {
return fileOrBlobName;
},
text: {
defaultResponseError: "Upload failure reason unknown",
fileInputTitle: "file input",
sizeSymbols: [ "kB", "MB", "GB", "TB", "PB", "EB" ]
},
deleteFile: {
enabled: false,
method: "DELETE",
endpoint: "/server/upload",
customHeaders: {},
params: {}
},
cors: {
expected: false,
sendCredentials: false,
allowXdr: false
},
blobs: {
defaultName: "misc_data"
},
paste: {
targetElement: null,
defaultName: "pasted_image"
},
camera: {
ios: false,
button: null
},
extraButtons: [],
session: {
endpoint: null,
params: {},
customHeaders: {},
refreshOnReset: true
},
form: {
element: "qq-form",
autoUpload: false,
interceptSubmit: true
},
scaling: {
customResizer: null,
sendOriginal: true,
orient: true,
defaultType: null,
defaultQuality: 80,
failureText: "Failed to scale",
includeExif: false,
sizes: []
},
workarounds: {
iosEmptyVideos: true,
ios8SafariUploads: true,
ios8BrowserCrash: false
}
};
qq.extend(this._options, o, true);
this._buttons = [];
this._extraButtonSpecs = {};
this._buttonIdsForFileIds = [];
this._wrapCallbacks();
this._disposeSupport = new qq.DisposeSupport();
this._storedIds = [];
this._autoRetries = [];
this._retryTimeouts = [];
this._preventRetries = [];
this._thumbnailUrls = [];
this._netUploadedOrQueued = 0;
this._netUploaded = 0;
this._uploadData = this._createUploadDataTracker();
this._initFormSupportAndParams();
this._customHeadersStore = this._createStore(this._options.request.customHeaders);
this._deleteFileCustomHeadersStore = this._createStore(this._options.deleteFile.customHeaders);
this._deleteFileParamsStore = this._createStore(this._options.deleteFile.params);
this._endpointStore = this._createStore(this._options.request.endpoint);
this._deleteFileEndpointStore = this._createStore(this._options.deleteFile.endpoint);
this._handler = this._createUploadHandler();
this._deleteHandler = qq.DeleteFileAjaxRequester && this._createDeleteHandler();
if (this._options.button) {
this._defaultButtonId = this._createUploadButton({
element: this._options.button,
title: this._options.text.fileInputTitle
}).getButtonId();
}
this._generateExtraButtonSpecs();
this._handleCameraAccess();
if (this._options.paste.targetElement) {
if (qq.PasteSupport) {
this._pasteHandler = this._createPasteHandler();
} else {
this.log("Paste support module not found", "error");
}
}
this._preventLeaveInProgress();
this._imageGenerator = qq.ImageGenerator && new qq.ImageGenerator(qq.bind(this.log, this));
this._refreshSessionData();
this._succeededSinceLastAllComplete = [];
this._failedSinceLastAllComplete = [];
this._scaler = qq.Scaler && new qq.Scaler(this._options.scaling, qq.bind(this.log, this)) || {};
if (this._scaler.enabled) {
this._customNewFileHandler = qq.bind(this._scaler.handleNewFile, this._scaler);
}
if (qq.TotalProgress && qq.supportedFeatures.progressBar) {
this._totalProgress = new qq.TotalProgress(qq.bind(this._onTotalProgress, this), function(id) {
var entry = self._uploadData.retrieve({
id: id
});
return entry && entry.size || 0;
});
}
this._currentItemLimit = this._options.validation.itemLimit;
};
qq.FineUploaderBasic.prototype = qq.basePublicApi;
qq.extend(qq.FineUploaderBasic.prototype, qq.basePrivateApi);
})();
qq.AjaxRequester = function(o) {
"use strict";
var log, shouldParamsBeInQueryString, queue = [], requestData = {}, options = {
acceptHeader: null,
validMethods: [ "PATCH", "POST", "PUT" ],
method: "POST",
contentType: "application/x-www-form-urlencoded",
maxConnections: 3,
customHeaders: {},
endpointStore: {},
paramsStore: {},
mandatedParams: {},
allowXRequestedWithAndCacheControl: true,
successfulResponseCodes: {
DELETE: [ 200, 202, 204 ],
PATCH: [ 200, 201, 202, 203, 204 ],
POST: [ 200, 201, 202, 203, 204 ],
PUT: [ 200, 201, 202, 203, 204 ],
GET: [ 200 ]
},
cors: {
expected: false,
sendCredentials: false
},
log: function(str, level) {},
onSend: function(id) {},
onComplete: function(id, xhrOrXdr, isError) {},
onProgress: null
};
qq.extend(options, o);
log = options.log;
if (qq.indexOf(options.validMethods, options.method) < 0) {
throw new Error("'" + options.method + "' is not a supported method for this type of request!");
}
function isSimpleMethod() {
return qq.indexOf([ "GET", "POST", "HEAD" ], options.method) >= 0;
}
function containsNonSimpleHeaders(headers) {
var containsNonSimple = false;
qq.each(containsNonSimple, function(idx, header) {
if (qq.indexOf([ "Accept", "Accept-Language", "Content-Language", "Content-Type" ], header) < 0) {
containsNonSimple = true;
return false;
}
});
return containsNonSimple;
}
function isXdr(xhr) {
return options.cors.expected && xhr.withCredentials === undefined;
}
function getCorsAjaxTransport() {
var xhrOrXdr;
if (window.XMLHttpRequest || window.ActiveXObject) {
xhrOrXdr = qq.createXhrInstance();
if (xhrOrXdr.withCredentials === undefined) {
xhrOrXdr = new XDomainRequest();
xhrOrXdr.onload = function() {};
xhrOrXdr.onerror = function() {};
xhrOrXdr.ontimeout = function() {};
xhrOrXdr.onprogress = function() {};
}
}
return xhrOrXdr;
}
function getXhrOrXdr(id, suppliedXhr) {
var xhrOrXdr = requestData[id].xhr;
if (!xhrOrXdr) {
if (suppliedXhr) {
xhrOrXdr = suppliedXhr;
} else {
if (options.cors.expected) {
xhrOrXdr = getCorsAjaxTransport();
} else {
xhrOrXdr = qq.createXhrInstance();
}
}
requestData[id].xhr = xhrOrXdr;
}
return xhrOrXdr;
}
function dequeue(id) {
var i = qq.indexOf(queue, id), max = options.maxConnections, nextId;
delete requestData[id];
queue.splice(i, 1);
if (queue.length >= max && i < max) {
nextId = queue[max - 1];
sendRequest(nextId);
}
}
function onComplete(id, xdrError) {
var xhr = getXhrOrXdr(id), method = options.method, isError = xdrError === true;
dequeue(id);
if (isError) {
log(method + " request for " + id + " has failed", "error");
} else if (!isXdr(xhr) && !isResponseSuccessful(xhr.status)) {
isError = true;
log(method + " request for " + id + " has failed - response code " + xhr.status, "error");
}
options.onComplete(id, xhr, isError);
}
function getParams(id) {
var onDemandParams = requestData[id].additionalParams, mandatedParams = options.mandatedParams, params;
if (options.paramsStore.get) {
params = options.paramsStore.get(id);
}
if (onDemandParams) {
qq.each(onDemandParams, function(name, val) {
params = params || {};
params[name] = val;
});
}
if (mandatedParams) {
qq.each(mandatedParams, function(name, val) {
params = params || {};
params[name] = val;
});
}
return params;
}
function sendRequest(id, optXhr) {
var xhr = getXhrOrXdr(id, optXhr), method = options.method, params = getParams(id), payload = requestData[id].payload, url;
options.onSend(id);
url = createUrl(id, params, requestData[id].additionalQueryParams);
if (isXdr(xhr)) {
xhr.onload = getXdrLoadHandler(id);
xhr.onerror = getXdrErrorHandler(id);
} else {
xhr.onreadystatechange = getXhrReadyStateChangeHandler(id);
}
registerForUploadProgress(id);
xhr.open(method, url, true);
if (options.cors.expected && options.cors.sendCredentials && !isXdr(xhr)) {
xhr.withCredentials = true;
}
setHeaders(id);
log("Sending " + method + " request for " + id);
if (payload) {
xhr.send(payload);
} else if (shouldParamsBeInQueryString || !params) {
xhr.send();
} else if (params && options.contentType && options.contentType.toLowerCase().indexOf("application/x-www-form-urlencoded") >= 0) {
xhr.send(qq.obj2url(params, ""));
} else if (params && options.contentType && options.contentType.toLowerCase().indexOf("application/json") >= 0) {
xhr.send(JSON.stringify(params));
} else {
xhr.send(params);
}
return xhr;
}
function createUrl(id, params, additionalQueryParams) {
var endpoint = options.endpointStore.get(id), addToPath = requestData[id].addToPath;
if (addToPath != undefined) {
endpoint += "/" + addToPath;
}
if (shouldParamsBeInQueryString && params) {
endpoint = qq.obj2url(params, endpoint);
}
if (additionalQueryParams) {
endpoint = qq.obj2url(additionalQueryParams, endpoint);
}
return endpoint;
}
function getXhrReadyStateChangeHandler(id) {
return function() {
if (getXhrOrXdr(id).readyState === 4) {
onComplete(id);
}
};
}
function registerForUploadProgress(id) {
var onProgress = options.onProgress;
if (onProgress) {
getXhrOrXdr(id).upload.onprogress = function(e) {
if (e.lengthComputable) {
onProgress(id, e.loaded, e.total);
}
};
}
}
function getXdrLoadHandler(id) {
return function() {
onComplete(id);
};
}
function getXdrErrorHandler(id) {
return function() {
onComplete(id, true);
};
}
function setHeaders(id) {
var xhr = getXhrOrXdr(id), customHeaders = options.customHeaders, onDemandHeaders = requestData[id].additionalHeaders || {}, method = options.method, allHeaders = {};
if (!isXdr(xhr)) {
options.acceptHeader && xhr.setRequestHeader("Accept", options.acceptHeader);
if (options.allowXRequestedWithAndCacheControl) {
if (!options.cors.expected || (!isSimpleMethod() || containsNonSimpleHeaders(customHeaders))) {
xhr.setRequestHeader("X-Requested-With", "XMLHttpRequest");
xhr.setRequestHeader("Cache-Control", "no-cache");
}
}
if (options.contentType && (method === "POST" || method === "PUT")) {
xhr.setRequestHeader("Content-Type", options.contentType);
}
qq.extend(allHeaders, qq.isFunction(customHeaders) ? customHeaders(id) : customHeaders);
qq.extend(allHeaders, onDemandHeaders);
qq.each(allHeaders, function(name, val) {
xhr.setRequestHeader(name, val);
});
}
}
function isResponseSuccessful(responseCode) {
return qq.indexOf(options.successfulResponseCodes[options.method], responseCode) >= 0;
}
function prepareToSend(id, optXhr, addToPath, additionalParams, additionalQueryParams, additionalHeaders, payload) {
requestData[id] = {
addToPath: addToPath,
additionalParams: additionalParams,
additionalQueryParams: additionalQueryParams,
additionalHeaders: additionalHeaders,
payload: payload
};
var len = queue.push(id);
if (len <= options.maxConnections) {
return sendRequest(id, optXhr);
}
}
shouldParamsBeInQueryString = options.method === "GET" || options.method === "DELETE";
qq.extend(this, {
initTransport: function(id) {
var path, params, headers, payload, cacheBuster, additionalQueryParams;
return {
withPath: function(appendToPath) {
path = appendToPath;
return this;
},
withParams: function(additionalParams) {
params = additionalParams;
return this;
},
withQueryParams: function(_additionalQueryParams_) {
additionalQueryParams = _additionalQueryParams_;
return this;
},
withHeaders: function(additionalHeaders) {
headers = additionalHeaders;
return this;
},
withPayload: function(thePayload) {
payload = thePayload;
return this;
},
withCacheBuster: function() {
cacheBuster = true;
return this;
},
send: function(optXhr) {
if (cacheBuster && qq.indexOf([ "GET", "DELETE" ], options.method) >= 0) {
params.qqtimestamp = new Date().getTime();
}
return prepareToSend(id, optXhr, path, params, additionalQueryParams, headers, payload);
}
};
},
canceled: function(id) {
dequeue(id);
}
});
};
qq.UploadHandler = function(spec) {
"use strict";
var proxy = spec.proxy, fileState = {}, onCancel = proxy.onCancel, getName = proxy.getName;
qq.extend(this, {
add: function(id, fileItem) {
fileState[id] = fileItem;
fileState[id].temp = {};
},
cancel: function(id) {
var self = this, cancelFinalizationEffort = new qq.Promise(), onCancelRetVal = onCancel(id, getName(id), cancelFinalizationEffort);
onCancelRetVal.then(function() {
if (self.isValid(id)) {
fileState[id].canceled = true;
self.expunge(id);
}
cancelFinalizationEffort.success();
});
},
expunge: function(id) {
delete fileState[id];
},
getThirdPartyFileId: function(id) {
return fileState[id].key;
},
isValid: function(id) {
return fileState[id] !== undefined;
},
reset: function() {
fileState = {};
},
_getFileState: function(id) {
return fileState[id];
},
_setThirdPartyFileId: function(id, thirdPartyFileId) {
fileState[id].key = thirdPartyFileId;
},
_wasCanceled: function(id) {
return !!fileState[id].canceled;
}
});
};
qq.UploadHandlerController = function(o, namespace) {
"use strict";
var controller = this, chunkingPossible = false, concurrentChunkingPossible = false, chunking, preventRetryResponse, log, handler, options = {
paramsStore: {},
maxConnections: 3,
chunking: {
enabled: false,
multiple: {
enabled: false
}
},
log: function(str, level) {},
onProgress: function(id, fileName, loaded, total) {},
onComplete: function(id, fileName, response, xhr) {},
onCancel: function(id, fileName) {},
onUploadPrep: function(id) {},
onUpload: function(id, fileName) {},
onUploadChunk: function(id, fileName, chunkData) {},
onUploadChunkSuccess: function(id, chunkData, response, xhr) {},
onAutoRetry: function(id, fileName, response, xhr) {},
onResume: function(id, fileName, chunkData) {},
onUuidChanged: function(id, newUuid) {},
getName: function(id) {},
setSize: function(id, newSize) {},
isQueued: function(id) {},
getIdsInProxyGroup: function(id) {},
getIdsInBatch: function(id) {}
}, chunked = {
done: function(id, chunkIdx, response, xhr) {
var chunkData = handler._getChunkData(id, chunkIdx);
handler._getFileState(id).attemptingResume = false;
delete handler._getFileState(id).temp.chunkProgress[chunkIdx];
handler._getFileState(id).loaded += chunkData.size;
options.onUploadChunkSuccess(id, handler._getChunkDataForCallback(chunkData), response, xhr);
},
finalize: function(id) {
var size = options.getSize(id), name = options.getName(id);
log("All chunks have been uploaded for " + id + " - finalizing....");
handler.finalizeChunks(id).then(function(response, xhr) {
log("Finalize successful for " + id);
var normaizedResponse = upload.normalizeResponse(response, true);
options.onProgress(id, name, size, size);
handler._maybeDeletePersistedChunkData(id);
upload.cleanup(id, normaizedResponse, xhr);
}, function(response, xhr) {
var normaizedResponse = upload.normalizeResponse(response, false);
log("Problem finalizing chunks for file ID " + id + " - " + normaizedResponse.error, "error");
if (normaizedResponse.reset) {
chunked.reset(id);
}
if (!options.onAutoRetry(id, name, normaizedResponse, xhr)) {
upload.cleanup(id, normaizedResponse, xhr);
}
});
},
handleFailure: function(chunkIdx, id, response, xhr) {
var name = options.getName(id);
log("Chunked upload request failed for " + id + ", chunk " + chunkIdx);
handler.clearCachedChunk(id, chunkIdx);
var responseToReport = upload.normalizeResponse(response, false), inProgressIdx;
if (responseToReport.reset) {
chunked.reset(id);
} else {
inProgressIdx = qq.indexOf(handler._getFileState(id).chunking.inProgress, chunkIdx);
if (inProgressIdx >= 0) {
handler._getFileState(id).chunking.inProgress.splice(inProgressIdx, 1);
handler._getFileState(id).chunking.remaining.unshift(chunkIdx);
}
}
if (!handler._getFileState(id).temp.ignoreFailure) {
if (concurrentChunkingPossible) {
handler._getFileState(id).temp.ignoreFailure = true;
log(qq.format("Going to attempt to abort these chunks: {}. These are currently in-progress: {}.", JSON.stringify(Object.keys(handler._getXhrs(id))), JSON.stringify(handler._getFileState(id).chunking.inProgress)));
qq.each(handler._getXhrs(id), function(ckid, ckXhr) {
log(qq.format("Attempting to abort file {}.{}. XHR readyState {}. ", id, ckid, ckXhr.readyState));
ckXhr.abort();
ckXhr._cancelled = true;
});
handler.moveInProgressToRemaining(id);
connectionManager.free(id, true);
}
if (!options.onAutoRetry(id, name, responseToReport, xhr)) {
upload.cleanup(id, responseToReport, xhr);
}
}
},
hasMoreParts: function(id) {
return !!handler._getFileState(id).chunking.remaining.length;
},
nextPart: function(id) {
var nextIdx = handler._getFileState(id).chunking.remaining.shift();
if (nextIdx >= handler._getTotalChunks(id)) {
nextIdx = null;
}
return nextIdx;
},
reset: function(id) {
log("Server or callback has ordered chunking effort to be restarted on next attempt for item ID " + id, "error");
handler._maybeDeletePersistedChunkData(id);
handler.reevaluateChunking(id);
handler._getFileState(id).loaded = 0;
},
sendNext: function(id) {
var size = options.getSize(id), name = options.getName(id), chunkIdx = chunked.nextPart(id), chunkData = handler._getChunkData(id, chunkIdx), resuming = handler._getFileState(id).attemptingResume, inProgressChunks = handler._getFileState(id).chunking.inProgress || [];
if (handler._getFileState(id).loaded == null) {
handler._getFileState(id).loaded = 0;
}
if (resuming && options.onResume(id, name, chunkData) === false) {
chunked.reset(id);
chunkIdx = chunked.nextPart(id);
chunkData = handler._getChunkData(id, chunkIdx);
resuming = false;
}
if (chunkIdx == null && inProgressChunks.length === 0) {
chunked.finalize(id);
} else {
log(qq.format("Sending chunked upload request for item {}.{}, bytes {}-{} of {}.", id, chunkIdx, chunkData.start + 1, chunkData.end, size));
options.onUploadChunk(id, name, handler._getChunkDataForCallback(chunkData));
inProgressChunks.push(chunkIdx);
handler._getFileState(id).chunking.inProgress = inProgressChunks;
if (concurrentChunkingPossible) {
connectionManager.open(id, chunkIdx);
}
if (concurrentChunkingPossible && connectionManager.available() && handler._getFileState(id).chunking.remaining.length) {
chunked.sendNext(id);
}
if (chunkData.blob.size === 0) {
log(qq.format("Chunk {} for file {} will not be uploaded, zero sized chunk.", chunkIdx, id), "error");
chunked.handleFailure(chunkIdx, id, "File is no longer available", null);
} else {
handler.uploadChunk(id, chunkIdx, resuming).then(function success(response, xhr) {
log("Chunked upload request succeeded for " + id + ", chunk " + chunkIdx);
handler.clearCachedChunk(id, chunkIdx);
var inProgressChunks = handler._getFileState(id).chunking.inProgress || [], responseToReport = upload.normalizeResponse(response, true), inProgressChunkIdx = qq.indexOf(inProgressChunks, chunkIdx);
log(qq.format("Chunk {} for file {} uploaded successfully.", chunkIdx, id));
chunked.done(id, chunkIdx, responseToReport, xhr);
if (inProgressChunkIdx >= 0) {
inProgressChunks.splice(inProgressChunkIdx, 1);
}
handler._maybePersistChunkedState(id);
if (!chunked.hasMoreParts(id) && inProgressChunks.length === 0) {
chunked.finalize(id);
} else if (chunked.hasMoreParts(id)) {
chunked.sendNext(id);
} else {
log(qq.format("File ID {} has no more chunks to send and these chunk indexes are still marked as in-progress: {}", id, JSON.stringify(inProgressChunks)));
}
}, function failure(response, xhr) {
chunked.handleFailure(chunkIdx, id, response, xhr);
}).done(function() {
handler.clearXhr(id, chunkIdx);
});
}
}
}
}, connectionManager = {
_open: [],
_openChunks: {},
_waiting: [],
available: function() {
var max = options.maxConnections, openChunkEntriesCount = 0, openChunksCount = 0;
qq.each(connectionManager._openChunks, function(fileId, openChunkIndexes) {
openChunkEntriesCount++;
openChunksCount += openChunkIndexes.length;
});
return max - (connectionManager._open.length - openChunkEntriesCount + openChunksCount);
},
free: function(id, dontAllowNext) {
var allowNext = !dontAllowNext, waitingIndex = qq.indexOf(connectionManager._waiting, id), connectionsIndex = qq.indexOf(connectionManager._open, id), nextId;
delete connectionManager._openChunks[id];
if (upload.getProxyOrBlob(id) instanceof qq.BlobProxy) {
log("Generated blob upload has ended for " + id + ", disposing generated blob.");
delete handler._getFileState(id).file;
}
if (waitingIndex >= 0) {
connectionManager._waiting.splice(waitingIndex, 1);
} else if (allowNext && connectionsIndex >= 0) {
connectionManager._open.splice(connectionsIndex, 1);
nextId = connectionManager._waiting.shift();
if (nextId >= 0) {
connectionManager._open.push(nextId);
upload.start(nextId);
}
}
},
getWaitingOrConnected: function() {
var waitingOrConnected = [];
qq.each(connectionManager._openChunks, function(fileId, chunks) {
if (chunks && chunks.length) {
waitingOrConnected.push(parseInt(fileId));
}
});
qq.each(connectionManager._open, function(idx, fileId) {
if (!connectionManager._openChunks[fileId]) {
waitingOrConnected.push(parseInt(fileId));
}
});
waitingOrConnected = waitingOrConnected.concat(connectionManager._waiting);
return waitingOrConnected;
},
isUsingConnection: function(id) {
return qq.indexOf(connectionManager._open, id) >= 0;
},
open: function(id, chunkIdx) {
if (chunkIdx == null) {
connectionManager._waiting.push(id);
}
if (connectionManager.available()) {
if (chunkIdx == null) {
connectionManager._waiting.pop();
connectionManager._open.push(id);
} else {
(function() {
var openChunksEntry = connectionManager._openChunks[id] || [];
openChunksEntry.push(chunkIdx);
connectionManager._openChunks[id] = openChunksEntry;
})();
}
return true;
}
return false;
},
reset: function() {
connectionManager._waiting = [];
connectionManager._open = [];
}
}, simple = {
send: function(id, name) {
handler._getFileState(id).loaded = 0;
log("Sending simple upload request for " + id);
handler.uploadFile(id).then(function(response, optXhr) {
log("Simple upload request succeeded for " + id);
var responseToReport = upload.normalizeResponse(response, true), size = options.getSize(id);
options.onProgress(id, name, size, size);
upload.maybeNewUuid(id, responseToReport);
upload.cleanup(id, responseToReport, optXhr);
}, function(response, optXhr) {
log("Simple upload request failed for " + id);
var responseToReport = upload.normalizeResponse(response, false);
if (!options.onAutoRetry(id, name, responseToReport, optXhr)) {
upload.cleanup(id, responseToReport, optXhr);
}
});
}
}, upload = {
cancel: function(id) {
log("Cancelling " + id);
options.paramsStore.remove(id);
connectionManager.free(id);
},
cleanup: function(id, response, optXhr) {
var name = options.getName(id);
options.onComplete(id, name, response, optXhr);
if (handler._getFileState(id)) {
handler._clearXhrs && handler._clearXhrs(id);
}
connectionManager.free(id);
},
getProxyOrBlob: function(id) {
return handler.getProxy && handler.getProxy(id) || handler.getFile && handler.getFile(id);
},
initHandler: function() {
var handlerType = namespace ? qq[namespace] : qq.traditional, handlerModuleSubtype = qq.supportedFeatures.ajaxUploading ? "Xhr" : "Form";
handler = new handlerType[handlerModuleSubtype + "UploadHandler"](options, {
getDataByUuid: options.getDataByUuid,
getName: options.getName,
getSize: options.getSize,
getUuid: options.getUuid,
log: log,
onCancel: options.onCancel,
onProgress: options.onProgress,
onUuidChanged: options.onUuidChanged
});
if (handler._removeExpiredChunkingRecords) {
handler._removeExpiredChunkingRecords();
}
},
isDeferredEligibleForUpload: function(id) {
return options.isQueued(id);
},
maybeDefer: function(id, blob) {
if (blob && !handler.getFile(id) && blob instanceof qq.BlobProxy) {
options.onUploadPrep(id);
log("Attempting to generate a blob on-demand for " + id);
blob.create().then(function(generatedBlob) {
log("Generated an on-demand blob for " + id);
handler.updateBlob(id, generatedBlob);
options.setSize(id, generatedBlob.size);
handler.reevaluateChunking(id);
upload.maybeSendDeferredFiles(id);
}, function(errorMessage) {
var errorResponse = {};
if (errorMessage) {
errorResponse.error = errorMessage;
}
log(qq.format("Failed to generate blob for ID {}. Error message: {}.", id, errorMessage), "error");
options.onComplete(id, options.getName(id), qq.extend(errorResponse, preventRetryResponse), null);
upload.maybeSendDeferredFiles(id);
connectionManager.free(id);
});
} else {
return upload.maybeSendDeferredFiles(id);
}
return false;
},
maybeSendDeferredFiles: function(id) {
var idsInGroup = options.getIdsInProxyGroup(id), uploadedThisId = false;
if (idsInGroup && idsInGroup.length) {
log("Maybe ready to upload proxy group file " + id);
qq.each(idsInGroup, function(idx, idInGroup) {
if (upload.isDeferredEligibleForUpload(idInGroup) && !!handler.getFile(idInGroup)) {
uploadedThisId = idInGroup === id;
upload.now(idInGroup);
} else if (upload.isDeferredEligibleForUpload(idInGroup)) {
return false;
}
});
} else {
uploadedThisId = true;
upload.now(id);
}
return uploadedThisId;
},
maybeNewUuid: function(id, response) {
if (response.newUuid !== undefined) {
options.onUuidChanged(id, response.newUuid);
}
},
normalizeResponse: function(originalResponse, successful) {
var response = originalResponse;
if (!qq.isObject(originalResponse)) {
response = {};
if (qq.isString(originalResponse) && !successful) {
response.error = originalResponse;
}
}
response.success = successful;
return response;
},
now: function(id) {
var name = options.getName(id);
if (!controller.isValid(id)) {
throw new qq.Error(id + " is not a valid file ID to upload!");
}
options.onUpload(id, name);
if (chunkingPossible && handler._shouldChunkThisFile(id)) {
chunked.sendNext(id);
} else {
simple.send(id, name);
}
},
start: function(id) {
var blobToUpload = upload.getProxyOrBlob(id);
if (blobToUpload) {
return upload.maybeDefer(id, blobToUpload);
} else {
upload.now(id);
return true;
}
}
};
qq.extend(this, {
add: function(id, file) {
handler.add.apply(this, arguments);
},
upload: function(id) {
if (connectionManager.open(id)) {
return upload.start(id);
}
return false;
},
retry: function(id) {
if (concurrentChunkingPossible) {
handler._getFileState(id).temp.ignoreFailure = false;
}
if (connectionManager.isUsingConnection(id)) {
return upload.start(id);
} else {
return controller.upload(id);
}
},
cancel: function(id) {
var cancelRetVal = handler.cancel(id);
if (qq.isGenericPromise(cancelRetVal)) {
cancelRetVal.then(function() {
upload.cancel(id);
});
} else if (cancelRetVal !== false) {
upload.cancel(id);
}
},
cancelAll: function() {
var waitingOrConnected = connectionManager.getWaitingOrConnected(), i;
if (waitingOrConnected.length) {
for (i = waitingOrConnected.length - 1; i >= 0; i--) {
controller.cancel(waitingOrConnected[i]);
}
}
connectionManager.reset();
},
getFile: function(id) {
if (handler.getProxy && handler.getProxy(id)) {
return handler.getProxy(id).referenceBlob;
}
return handler.getFile && handler.getFile(id);
},
isProxied: function(id) {
return !!(handler.getProxy && handler.getProxy(id));
},
getInput: function(id) {
if (handler.getInput) {
return handler.getInput(id);
}
},
reset: function() {
log("Resetting upload handler");
controller.cancelAll();
connectionManager.reset();
handler.reset();
},
expunge: function(id) {
if (controller.isValid(id)) {
return handler.expunge(id);
}
},
isValid: function(id) {
return handler.isValid(id);
},
getResumableFilesData: function() {
if (handler.getResumableFilesData) {
return handler.getResumableFilesData();
}
return [];
},
getThirdPartyFileId: function(id) {
if (controller.isValid(id)) {
return handler.getThirdPartyFileId(id);
}
},
pause: function(id) {
if (controller.isResumable(id) && handler.pause && controller.isValid(id) && handler.pause(id)) {
connectionManager.free(id);
handler.moveInProgressToRemaining(id);
return true;
}
return false;
},
isResumable: function(id) {
return !!handler.isResumable && handler.isResumable(id);
}
});
qq.extend(options, o);
log = options.log;
chunkingPossible = options.chunking.enabled && qq.supportedFeatures.chunking;
concurrentChunkingPossible = chunkingPossible && options.chunking.concurrent.enabled;
preventRetryResponse = function() {
var response = {};
response[options.preventRetryParam] = true;
return response;
}();
upload.initHandler();
};
qq.WindowReceiveMessage = function(o) {
"use strict";
var options = {
log: function(message, level) {}
}, callbackWrapperDetachers = {};
qq.extend(options, o);
qq.extend(this, {
receiveMessage: function(id, callback) {
var onMessageCallbackWrapper = function(event) {
callback(event.data);
};
if (window.postMessage) {
callbackWrapperDetachers[id] = qq(window).attach("message", onMessageCallbackWrapper);
} else {
log("iframe message passing not supported in this browser!", "error");
}
},
stopReceivingMessages: function(id) {
if (window.postMessage) {
var detacher = callbackWrapperDetachers[id];
if (detacher) {
detacher();
}
}
}
});
};
qq.FormUploadHandler = function(spec) {
"use strict";
var options = spec.options, handler = this, proxy = spec.proxy, formHandlerInstanceId = qq.getUniqueId(), onloadCallbacks = {}, detachLoadEvents = {}, postMessageCallbackTimers = {}, isCors = options.isCors, inputName = options.inputName, getUuid = proxy.getUuid, log = proxy.log, corsMessageReceiver = new qq.WindowReceiveMessage({
log: log
});
function expungeFile(id) {
delete detachLoadEvents[id];
if (isCors) {
clearTimeout(postMessageCallbackTimers[id]);
delete postMessageCallbackTimers[id];
corsMessageReceiver.stopReceivingMessages(id);
}
var iframe = document.getElementById(handler._getIframeName(id));
if (iframe) {
iframe.setAttribute("src", "javascript:false;");
qq(iframe).remove();
}
}
function getFileIdForIframeName(iframeName) {
return iframeName.split("_")[0];
}
function initIframeForUpload(name) {
var iframe = qq.toElement("<iframe src='javascript:false;' name='" + name + "' />");
iframe.setAttribute("id", name);
iframe.style.display = "none";
document.body.appendChild(iframe);
return iframe;
}
function registerPostMessageCallback(iframe, callback) {
var iframeName = iframe.id, fileId = getFileIdForIframeName(iframeName), uuid = getUuid(fileId);
onloadCallbacks[uuid] = callback;
detachLoadEvents[fileId] = qq(iframe).attach("load", function() {
if (handler.getInput(fileId)) {
log("Received iframe load event for CORS upload request (iframe name " + iframeName + ")");
postMessageCallbackTimers[iframeName] = setTimeout(function() {
var errorMessage = "No valid message received from loaded iframe for iframe name " + iframeName;
log(errorMessage, "error");
callback({
error: errorMessage
});
}, 1e3);
}
});
corsMessageReceiver.receiveMessage(iframeName, function(message) {
log("Received the following window message: '" + message + "'");
var fileId = getFileIdForIframeName(iframeName), response = handler._parseJsonResponse(message), uuid = response.uuid, onloadCallback;
if (uuid && onloadCallbacks[uuid]) {
log("Handling response for iframe name " + iframeName);
clearTimeout(postMessageCallbackTimers[iframeName]);
delete postMessageCallbackTimers[iframeName];
handler._detachLoadEvent(iframeName);
onloadCallback = onloadCallbacks[uuid];
delete onloadCallbacks[uuid];
corsMessageReceiver.stopReceivingMessages(iframeName);
onloadCallback(response);
} else if (!uuid) {
log("'" + message + "' does not contain a UUID - ignoring.");
}
});
}
qq.extend(this, new qq.UploadHandler(spec));
qq.override(this, function(super_) {
return {
add: function(id, fileInput) {
super_.add(id, {
input: fileInput
});
fileInput.setAttribute("name", inputName);
if (fileInput.parentNode) {
qq(fileInput).remove();
}
},
expunge: function(id) {
expungeFile(id);
super_.expunge(id);
},
isValid: function(id) {
return super_.isValid(id) && handler._getFileState(id).input !== undefined;
}
};
});
qq.extend(this, {
getInput: function(id) {
return handler._getFileState(id).input;
},
_attachLoadEvent: function(iframe, callback) {
var responseDescriptor;
if (isCors) {
registerPostMessageCallback(iframe, callback);
} else {
detachLoadEvents[iframe.id] = qq(iframe).attach("load", function() {
log("Received response for " + iframe.id);
if (!iframe.parentNode) {
return;
}
try {
if (iframe.contentDocument && iframe.contentDocument.body && iframe.contentDocument.body.innerHTML == "false") {
return;
}
} catch (error) {
log("Error when attempting to access iframe during handling of upload response (" + error.message + ")", "error");
responseDescriptor = {
success: false
};
}
callback(responseDescriptor);
});
}
},
_createIframe: function(id) {
var iframeName = handler._getIframeName(id);
return initIframeForUpload(iframeName);
},
_detachLoadEvent: function(id) {
if (detachLoadEvents[id] !== undefined) {
detachLoadEvents[id]();
delete detachLoadEvents[id];
}
},
_getIframeName: function(fileId) {
return fileId + "_" + formHandlerInstanceId;
},
_initFormForUpload: function(spec) {
var method = spec.method, endpoint = spec.endpoint, params = spec.params, paramsInBody = spec.paramsInBody, targetName = spec.targetName, form = qq.toElement("<form method='" + method + "' enctype='multipart/form-data'></form>"), url = endpoint;
if (paramsInBody) {
qq.obj2Inputs(params, form);
} else {
url = qq.obj2url(params, endpoint);
}
form.setAttribute("action", url);
form.setAttribute("target", targetName);
form.style.display = "none";
document.body.appendChild(form);
return form;
},
_parseJsonResponse: function(innerHtmlOrMessage) {
var response = {};
try {
response = qq.parseJson(innerHtmlOrMessage);
} catch (error) {
log("Error when attempting to parse iframe upload response (" + error.message + ")", "error");
}
return response;
}
});
};
qq.XhrUploadHandler = function(spec) {
"use strict";
var handler = this, namespace = spec.options.namespace, proxy = spec.proxy, chunking = spec.options.chunking, resume = spec.options.resume, chunkFiles = chunking && spec.options.chunking.enabled && qq.supportedFeatures.chunking, resumeEnabled = resume && spec.options.resume.enabled && chunkFiles && qq.supportedFeatures.resume, getName = proxy.getName, getSize = proxy.getSize, getUuid = proxy.getUuid, getEndpoint = proxy.getEndpoint, getDataByUuid = proxy.getDataByUuid, onUuidChanged = proxy.onUuidChanged, onProgress = proxy.onProgress, log = proxy.log;
function abort(id) {
qq.each(handler._getXhrs(id), function(xhrId, xhr) {
var ajaxRequester = handler._getAjaxRequester(id, xhrId);
xhr.onreadystatechange = null;
xhr.upload.onprogress = null;
xhr.abort();
ajaxRequester && ajaxRequester.canceled && ajaxRequester.canceled(id);
});
}
qq.extend(this, new qq.UploadHandler(spec));
qq.override(this, function(super_) {
return {
add: function(id, blobOrProxy) {
if (qq.isFile(blobOrProxy) || qq.isBlob(blobOrProxy)) {
super_.add(id, {
file: blobOrProxy
});
} else if (blobOrProxy instanceof qq.BlobProxy) {
super_.add(id, {
proxy: blobOrProxy
});
} else {
throw new Error("Passed obj is not a File, Blob, or proxy");
}
handler._initTempState(id);
resumeEnabled && handler._maybePrepareForResume(id);
},
expunge: function(id) {
abort(id);
handler._maybeDeletePersistedChunkData(id);
handler._clearXhrs(id);
super_.expunge(id);
}
};
});
qq.extend(this, {
clearCachedChunk: function(id, chunkIdx) {
delete handler._getFileState(id).temp.cachedChunks[chunkIdx];
},
clearXhr: function(id, chunkIdx) {
var tempState = handler._getFileState(id).temp;
if (tempState.xhrs) {
delete tempState.xhrs[chunkIdx];
}
if (tempState.ajaxRequesters) {
delete tempState.ajaxRequesters[chunkIdx];
}
},
finalizeChunks: function(id, responseParser) {
var lastChunkIdx = handler._getTotalChunks(id) - 1, xhr = handler._getXhr(id, lastChunkIdx);
if (responseParser) {
return new qq.Promise().success(responseParser(xhr), xhr);
}
return new qq.Promise().success({}, xhr);
},
getFile: function(id) {
return handler.isValid(id) && handler._getFileState(id).file;
},
getProxy: function(id) {
return handler.isValid(id) && handler._getFileState(id).proxy;
},
getResumableFilesData: function() {
var resumableFilesData = [];
handler._iterateResumeRecords(function(key, uploadData) {
handler.moveInProgressToRemaining(null, uploadData.chunking.inProgress, uploadData.chunking.remaining);
var data = {
name: uploadData.name,
remaining: uploadData.chunking.remaining,
size: uploadData.size,
uuid: uploadData.uuid
};
if (uploadData.key) {
data.key = uploadData.key;
}
resumableFilesData.push(data);
});
return resumableFilesData;
},
isResumable: function(id) {
return !!chunking && handler.isValid(id) && !handler._getFileState(id).notResumable;
},
moveInProgressToRemaining: function(id, optInProgress, optRemaining) {
var inProgress = optInProgress || handler._getFileState(id).chunking.inProgress, remaining = optRemaining || handler._getFileState(id).chunking.remaining;
if (inProgress) {
log(qq.format("Moving these chunks from in-progress {}, to remaining.", JSON.stringify(inProgress)));
inProgress.reverse();
qq.each(inProgress, function(idx, chunkIdx) {
remaining.unshift(chunkIdx);
});
inProgress.length = 0;
}
},
pause: function(id) {
if (handler.isValid(id)) {
log(qq.format("Aborting XHR upload for {} '{}' due to pause instruction.", id, getName(id)));
handler._getFileState(id).paused = true;
abort(id);
return true;
}
},
reevaluateChunking: function(id) {
if (chunking && handler.isValid(id)) {
var state = handler._getFileState(id), totalChunks, i;
delete state.chunking;
state.chunking = {};
totalChunks = handler._getTotalChunks(id);
if (totalChunks > 1 || chunking.mandatory) {
state.chunking.enabled = true;
state.chunking.parts = totalChunks;
state.chunking.remaining = [];
for (i = 0; i < totalChunks; i++) {
state.chunking.remaining.push(i);
}
handler._initTempState(id);
} else {
state.chunking.enabled = false;
}
}
},
updateBlob: function(id, newBlob) {
if (handler.isValid(id)) {
handler._getFileState(id).file = newBlob;
}
},
_clearXhrs: function(id) {
var tempState = handler._getFileState(id).temp;
qq.each(tempState.ajaxRequesters, function(chunkId) {
delete tempState.ajaxRequesters[chunkId];
});
qq.each(tempState.xhrs, function(chunkId) {
delete tempState.xhrs[chunkId];
});
},
_createXhr: function(id, optChunkIdx) {
return handler._registerXhr(id, optChunkIdx, qq.createXhrInstance());
},
_getAjaxRequester: function(id, optChunkIdx) {
var chunkIdx = optChunkIdx == null ? -1 : optChunkIdx;
return handler._getFileState(id).temp.ajaxRequesters[chunkIdx];
},
_getChunkData: function(id, chunkIndex) {
var chunkSize = chunking.partSize, fileSize = getSize(id), fileOrBlob = handler.getFile(id), startBytes = chunkSize * chunkIndex, endBytes = startBytes + chunkSize >= fileSize ? fileSize : startBytes + chunkSize, totalChunks = handler._getTotalChunks(id), cachedChunks = this._getFileState(id).temp.cachedChunks, blob = cachedChunks[chunkIndex] || qq.sliceBlob(fileOrBlob, startBytes, endBytes);
cachedChunks[chunkIndex] = blob;
return {
part: chunkIndex,
start: startBytes,
end: endBytes,
count: totalChunks,
blob: blob,
size: endBytes - startBytes
};
},
_getChunkDataForCallback: function(chunkData) {
return {
partIndex: chunkData.part,
startByte: chunkData.start + 1,
endByte: chunkData.end,
totalParts: chunkData.count
};
},
_getLocalStorageId: function(id) {
var formatVersion = "5.0", name = getName(id), size = getSize(id), chunkSize = chunking.partSize, endpoint = getEndpoint(id);
return qq.format("qq{}resume{}-{}-{}-{}-{}", namespace, formatVersion, name, size, chunkSize, endpoint);
},
_getMimeType: function(id) {
return handler.getFile(id).type;
},
_getPersistableData: function(id) {
return handler._getFileState(id).chunking;
},
_getTotalChunks: function(id) {
if (chunking) {
var fileSize = getSize(id), chunkSize = chunking.partSize;
return Math.ceil(fileSize / chunkSize);
}
},
_getXhr: function(id, optChunkIdx) {
var chunkIdx = optChunkIdx == null ? -1 : optChunkIdx;
return handler._getFileState(id).temp.xhrs[chunkIdx];
},
_getXhrs: function(id) {
return handler._getFileState(id).temp.xhrs;
},
_iterateResumeRecords: function(callback) {
if (resumeEnabled) {
qq.each(localStorage, function(key, item) {
if (key.indexOf(qq.format("qq{}resume", namespace)) === 0) {
var uploadData = JSON.parse(item);
callback(key, uploadData);
}
});
}
},
_initTempState: function(id) {
handler._getFileState(id).temp = {
ajaxRequesters: {},
chunkProgress: {},
xhrs: {},
cachedChunks: {}
};
},
_markNotResumable: function(id) {
handler._getFileState(id).notResumable = true;
},
_maybeDeletePersistedChunkData: function(id) {
var localStorageId;
if (resumeEnabled && handler.isResumable(id)) {
localStorageId = handler._getLocalStorageId(id);
if (localStorageId && localStorage.getItem(localStorageId)) {
localStorage.removeItem(localStorageId);
return true;
}
}
return false;
},
_maybePrepareForResume: function(id) {
var state = handler._getFileState(id), localStorageId, persistedData;
if (resumeEnabled && state.key === undefined) {
localStorageId = handler._getLocalStorageId(id);
persistedData = localStorage.getItem(localStorageId);
if (persistedData) {
persistedData = JSON.parse(persistedData);
if (getDataByUuid(persistedData.uuid)) {
handler._markNotResumable(id);
} else {
log(qq.format("Identified file with ID {} and name of {} as resumable.", id, getName(id)));
onUuidChanged(id, persistedData.uuid);
state.key = persistedData.key;
state.chunking = persistedData.chunking;
state.loaded = persistedData.loaded;
state.attemptingResume = true;
handler.moveInProgressToRemaining(id);
}
}
}
},
_maybePersistChunkedState: function(id) {
var state = handler._getFileState(id), localStorageId, persistedData;
if (resumeEnabled && handler.isResumable(id)) {
localStorageId = handler._getLocalStorageId(id);
persistedData = {
name: getName(id),
size: getSize(id),
uuid: getUuid(id),
key: state.key,
chunking: state.chunking,
loaded: state.loaded,
lastUpdated: Date.now()
};
try {
localStorage.setItem(localStorageId, JSON.stringify(persistedData));
} catch (error) {
log(qq.format("Unable to save resume data for '{}' due to error: '{}'.", id, error.toString()), "warn");
}
}
},
_registerProgressHandler: function(id, chunkIdx, chunkSize) {
var xhr = handler._getXhr(id, chunkIdx), name = getName(id), progressCalculator = {
simple: function(loaded, total) {
var fileSize = getSize(id);
if (loaded === total) {
onProgress(id, name, fileSize, fileSize);
} else {
onProgress(id, name, loaded >= fileSize ? fileSize - 1 : loaded, fileSize);
}
},
chunked: function(loaded, total) {
var chunkProgress = handler._getFileState(id).temp.chunkProgress, totalSuccessfullyLoadedForFile = handler._getFileState(id).loaded, loadedForRequest = loaded, totalForRequest = total, totalFileSize = getSize(id), estActualChunkLoaded = loadedForRequest - (totalForRequest - chunkSize), totalLoadedForFile = totalSuccessfullyLoadedForFile;
chunkProgress[chunkIdx] = estActualChunkLoaded;
qq.each(chunkProgress, function(chunkIdx, chunkLoaded) {
totalLoadedForFile += chunkLoaded;
});
onProgress(id, name, totalLoadedForFile, totalFileSize);
}
};
xhr.upload.onprogress = function(e) {
if (e.lengthComputable) {
var type = chunkSize == null ? "simple" : "chunked";
progressCalculator[type](e.loaded, e.total);
}
};
},
_registerXhr: function(id, optChunkIdx, xhr, optAjaxRequester) {
var xhrsId = optChunkIdx == null ? -1 : optChunkIdx, tempState = handler._getFileState(id).temp;
tempState.xhrs = tempState.xhrs || {};
tempState.ajaxRequesters = tempState.ajaxRequesters || {};
tempState.xhrs[xhrsId] = xhr;
if (optAjaxRequester) {
tempState.ajaxRequesters[xhrsId] = optAjaxRequester;
}
return xhr;
},
_removeExpiredChunkingRecords: function() {
var expirationDays = resume.recordsExpireIn;
handler._iterateResumeRecords(function(key, uploadData) {
var expirationDate = new Date(uploadData.lastUpdated);
expirationDate.setDate(expirationDate.getDate() + expirationDays);
if (expirationDate.getTime() <= Date.now()) {
log("Removing expired resume record with key " + key);
localStorage.removeItem(key);
}
});
},
_shouldChunkThisFile: function(id) {
var state = handler._getFileState(id);
if (!state.chunking) {
handler.reevaluateChunking(id);
}
return state.chunking.enabled;
}
});
};
qq.DeleteFileAjaxRequester = function(o) {
"use strict";
var requester, options = {
method: "DELETE",
uuidParamName: "qquuid",
endpointStore: {},
maxConnections: 3,
customHeaders: function(id) {
return {};
},
paramsStore: {},
cors: {
expected: false,
sendCredentials: false
},
log: function(str, level) {},
onDelete: function(id) {},
onDeleteComplete: function(id, xhrOrXdr, isError) {}
};
qq.extend(options, o);
function getMandatedParams() {
if (options.method.toUpperCase() === "POST") {
return {
_method: "DELETE"
};
}
return {};
}
requester = qq.extend(this, new qq.AjaxRequester({
acceptHeader: "application/json",
validMethods: [ "POST", "DELETE" ],
method: options.method,
endpointStore: options.endpointStore,
paramsStore: options.paramsStore,
mandatedParams: getMandatedParams(),
maxConnections: options.maxConnections,
customHeaders: function(id) {
return options.customHeaders.get(id);
},
log: options.log,
onSend: options.onDelete,
onComplete: options.onDeleteComplete,
cors: options.cors
}));
qq.extend(this, {
sendDelete: function(id, uuid, additionalMandatedParams) {
var additionalOptions = additionalMandatedParams || {};
options.log("Submitting delete file request for " + id);
if (options.method === "DELETE") {
requester.initTransport(id).withPath(uuid).withParams(additionalOptions).send();
} else {
additionalOptions[options.uuidParamName] = uuid;
requester.initTransport(id).withParams(additionalOptions).send();
}
}
});
};
(function() {
function detectSubsampling(img) {
var iw = img.naturalWidth, ih = img.naturalHeight, canvas = document.createElement("canvas"), ctx;
if (iw * ih > 1024 * 1024) {
canvas.width = canvas.height = 1;
ctx = canvas.getContext("2d");
ctx.drawImage(img, -iw + 1, 0);
return ctx.getImageData(0, 0, 1, 1).data[3] === 0;
} else {
return false;
}
}
function detectVerticalSquash(img, iw, ih) {
var canvas = document.createElement("canvas"), sy = 0, ey = ih, py = ih, ctx, data, alpha, ratio;
canvas.width = 1;
canvas.height = ih;
ctx = canvas.getContext("2d");
ctx.drawImage(img, 0, 0);
data = ctx.getImageData(0, 0, 1, ih).data;
while (py > sy) {
alpha = data[(py - 1) * 4 + 3];
if (alpha === 0) {
ey = py;
} else {
sy = py;
}
py = ey + sy >> 1;
}
ratio = py / ih;
return ratio === 0 ? 1 : ratio;
}
function renderImageToDataURL(img, blob, options, doSquash) {
var canvas = document.createElement("canvas"), mime = options.mime || "image/jpeg", promise = new qq.Promise();
renderImageToCanvas(img, blob, canvas, options, doSquash).then(function() {
promise.success(canvas.toDataURL(mime, options.quality || .8));
});
return promise;
}
function maybeCalculateDownsampledDimensions(spec) {
var maxPixels = 5241e3;
if (!qq.ios()) {
throw new qq.Error("Downsampled dimensions can only be reliably calculated for iOS!");
}
if (spec.origHeight * spec.origWidth > maxPixels) {
return {
newHeight: Math.round(Math.sqrt(maxPixels * (spec.origHeight / spec.origWidth))),
newWidth: Math.round(Math.sqrt(maxPixels * (spec.origWidth / spec.origHeight)))
};
}
}
function renderImageToCanvas(img, blob, canvas, options, doSquash) {
var iw = img.naturalWidth, ih = img.naturalHeight, width = options.width, height = options.height, ctx = canvas.getContext("2d"), promise = new qq.Promise(), modifiedDimensions;
ctx.save();
if (options.resize) {
return renderImageToCanvasWithCustomResizer({
blob: blob,
canvas: canvas,
image: img,
imageHeight: ih,
imageWidth: iw,
orientation: options.orientation,
resize: options.resize,
targetHeight: height,
targetWidth: width
});
}
if (!qq.supportedFeatures.unlimitedScaledImageSize) {
modifiedDimensions = maybeCalculateDownsampledDimensions({
origWidth: width,
origHeight: height
});
if (modifiedDimensions) {
qq.log(qq.format("Had to reduce dimensions due to device limitations from {}w / {}h to {}w / {}h", width, height, modifiedDimensions.newWidth, modifiedDimensions.newHeight), "warn");
width = modifiedDimensions.newWidth;
height = modifiedDimensions.newHeight;
}
}
transformCoordinate(canvas, width, height, options.orientation);
if (qq.ios()) {
(function() {
if (detectSubsampling(img)) {
iw /= 2;
ih /= 2;
}
var d = 1024, tmpCanvas = document.createElement("canvas"), vertSquashRatio = doSquash ? detectVerticalSquash(img, iw, ih) : 1, dw = Math.ceil(d * width / iw), dh = Math.ceil(d * height / ih / vertSquashRatio), sy = 0, dy = 0, tmpCtx, sx, dx;
tmpCanvas.width = tmpCanvas.height = d;
tmpCtx = tmpCanvas.getContext("2d");
while (sy < ih) {
sx = 0;
dx = 0;
while (sx < iw) {
tmpCtx.clearRect(0, 0, d, d);
tmpCtx.drawImage(img, -sx, -sy);
ctx.drawImage(tmpCanvas, 0, 0, d, d, dx, dy, dw, dh);
sx += d;
dx += dw;
}
sy += d;
dy += dh;
}
ctx.restore();
tmpCanvas = tmpCtx = null;
})();
} else {
ctx.drawImage(img, 0, 0, width, height);
}
canvas.qqImageRendered && canvas.qqImageRendered();
promise.success();
return promise;
}
function renderImageToCanvasWithCustomResizer(resizeInfo) {
var blob = resizeInfo.blob, image = resizeInfo.image, imageHeight = resizeInfo.imageHeight, imageWidth = resizeInfo.imageWidth, orientation = resizeInfo.orientation, promise = new qq.Promise(), resize = resizeInfo.resize, sourceCanvas = document.createElement("canvas"), sourceCanvasContext = sourceCanvas.getContext("2d"), targetCanvas = resizeInfo.canvas, targetHeight = resizeInfo.targetHeight, targetWidth = resizeInfo.targetWidth;
transformCoordinate(sourceCanvas, imageWidth, imageHeight, orientation);
targetCanvas.height = targetHeight;
targetCanvas.width = targetWidth;
sourceCanvasContext.drawImage(image, 0, 0);
resize({
blob: blob,
height: targetHeight,
image: image,
sourceCanvas: sourceCanvas,
targetCanvas: targetCanvas,
width: targetWidth
}).then(function success() {
targetCanvas.qqImageRendered && targetCanvas.qqImageRendered();
promise.success();
}, promise.failure);
return promise;
}
function transformCoordinate(canvas, width, height, orientation) {
switch (orientation) {
case 5:
case 6:
case 7:
case 8:
canvas.width = height;
canvas.height = width;
break;
default:
canvas.width = width;
canvas.height = height;
}
var ctx = canvas.getContext("2d");
switch (orientation) {
case 2:
ctx.translate(width, 0);
ctx.scale(-1, 1);
break;
case 3:
ctx.translate(width, height);
ctx.rotate(Math.PI);
break;
case 4:
ctx.translate(0, height);
ctx.scale(1, -1);
break;
case 5:
ctx.rotate(.5 * Math.PI);
ctx.scale(1, -1);
break;
case 6:
ctx.rotate(.5 * Math.PI);
ctx.translate(0, -height);
break;
case 7:
ctx.rotate(.5 * Math.PI);
ctx.translate(width, -height);
ctx.scale(-1, 1);
break;
case 8:
ctx.rotate(-.5 * Math.PI);
ctx.translate(-width, 0);
break;
default:
break;
}
}
function MegaPixImage(srcImage, errorCallback) {
var self = this;
if (window.Blob && srcImage instanceof Blob) {
(function() {
var img = new Image(), URL = window.URL && window.URL.createObjectURL ? window.URL : window.webkitURL && window.webkitURL.createObjectURL ? window.webkitURL : null;
if (!URL) {
throw Error("No createObjectURL function found to create blob url");
}
img.src = URL.createObjectURL(srcImage);
self.blob = srcImage;
srcImage = img;
})();
}
if (!srcImage.naturalWidth && !srcImage.naturalHeight) {
srcImage.onload = function() {
var listeners = self.imageLoadListeners;
if (listeners) {
self.imageLoadListeners = null;
setTimeout(function() {
for (var i = 0, len = listeners.length; i < len; i++) {
listeners[i]();
}
}, 0);
}
};
srcImage.onerror = errorCallback;
this.imageLoadListeners = [];
}
this.srcImage = srcImage;
}
MegaPixImage.prototype.render = function(target, options) {
options = options || {};
var self = this, imgWidth = this.srcImage.naturalWidth, imgHeight = this.srcImage.naturalHeight, width = options.width, height = options.height, maxWidth = options.maxWidth, maxHeight = options.maxHeight, doSquash = !this.blob || this.blob.type === "image/jpeg", tagName = target.tagName.toLowerCase(), opt;
if (this.imageLoadListeners) {
this.imageLoadListeners.push(function() {
self.render(target, options);
});
return;
}
if (width && !height) {
height = imgHeight * width / imgWidth << 0;
} else if (height && !width) {
width = imgWidth * height / imgHeight << 0;
} else {
width = imgWidth;
height = imgHeight;
}
if (maxWidth && width > maxWidth) {
width = maxWidth;
height = imgHeight * width / imgWidth << 0;
}
if (maxHeight && height > maxHeight) {
height = maxHeight;
width = imgWidth * height / imgHeight << 0;
}
opt = {
width: width,
height: height
}, qq.each(options, function(optionsKey, optionsValue) {
opt[optionsKey] = optionsValue;
});
if (tagName === "img") {
(function() {
var oldTargetSrc = target.src;
renderImageToDataURL(self.srcImage, self.blob, opt, doSquash).then(function(dataUri) {
target.src = dataUri;
oldTargetSrc === target.src && target.onload();
});
})();
} else if (tagName === "canvas") {
renderImageToCanvas(this.srcImage, this.blob, target, opt, doSquash);
}
if (typeof this.onrender === "function") {
this.onrender(target);
}
};
qq.MegaPixImage = MegaPixImage;
})();
qq.ImageGenerator = function(log) {
"use strict";
function isImg(el) {
return el.tagName.toLowerCase() === "img";
}
function isCanvas(el) {
return el.tagName.toLowerCase() === "canvas";
}
function isImgCorsSupported() {
return new Image().crossOrigin !== undefined;
}
function isCanvasSupported() {
var canvas = document.createElement("canvas");
return canvas.getContext && canvas.getContext("2d");
}
function determineMimeOfFileName(nameWithPath) {
var pathSegments = nameWithPath.split("/"), name = pathSegments[pathSegments.length - 1].split("?")[0], extension = qq.getExtension(name);
extension = extension && extension.toLowerCase();
switch (extension) {
case "jpeg":
case "jpg":
return "image/jpeg";
case "png":
return "image/png";
case "bmp":
return "image/bmp";
case "gif":
return "image/gif";
case "tiff":
case "tif":
return "image/tiff";
}
}
function isCrossOrigin(url) {
var targetAnchor = document.createElement("a"), targetProtocol, targetHostname, targetPort;
targetAnchor.href = url;
targetProtocol = targetAnchor.protocol;
targetPort = targetAnchor.port;
targetHostname = targetAnchor.hostname;
if (targetProtocol.toLowerCase() !== window.location.protocol.toLowerCase()) {
return true;
}
if (targetHostname.toLowerCase() !== window.location.hostname.toLowerCase()) {
return true;
}
if (targetPort !== window.location.port && !qq.ie()) {
return true;
}
return false;
}
function registerImgLoadListeners(img, promise) {
img.onload = function() {
img.onload = null;
img.onerror = null;
promise.success(img);
};
img.onerror = function() {
img.onload = null;
img.onerror = null;
log("Problem drawing thumbnail!", "error");
promise.failure(img, "Problem drawing thumbnail!");
};
}
function registerCanvasDrawImageListener(canvas, promise) {
canvas.qqImageRendered = function() {
promise.success(canvas);
};
}
function registerThumbnailRenderedListener(imgOrCanvas, promise) {
var registered = isImg(imgOrCanvas) || isCanvas(imgOrCanvas);
if (isImg(imgOrCanvas)) {
registerImgLoadListeners(imgOrCanvas, promise);
} else if (isCanvas(imgOrCanvas)) {
registerCanvasDrawImageListener(imgOrCanvas, promise);
} else {
promise.failure(imgOrCanvas);
log(qq.format("Element container of type {} is not supported!", imgOrCanvas.tagName), "error");
}
return registered;
}
function draw(fileOrBlob, container, options) {
var drawPreview = new qq.Promise(), identifier = new qq.Identify(fileOrBlob, log), maxSize = options.maxSize, orient = options.orient == null ? true : options.orient, megapixErrorHandler = function() {
container.onerror = null;
container.onload = null;
log("Could not render preview, file may be too large!", "error");
drawPreview.failure(container, "Browser cannot render image!");
};
identifier.isPreviewable().then(function(mime) {
var dummyExif = {
parse: function() {
return new qq.Promise().success();
}
}, exif = orient ? new qq.Exif(fileOrBlob, log) : dummyExif, mpImg = new qq.MegaPixImage(fileOrBlob, megapixErrorHandler);
if (registerThumbnailRenderedListener(container, drawPreview)) {
exif.parse().then(function(exif) {
var orientation = exif && exif.Orientation;
mpImg.render(container, {
maxWidth: maxSize,
maxHeight: maxSize,
orientation: orientation,
mime: mime,
resize: options.customResizeFunction
});
}, function(failureMsg) {
log(qq.format("EXIF data could not be parsed ({}). Assuming orientation = 1.", failureMsg));
mpImg.render(container, {
maxWidth: maxSize,
maxHeight: maxSize,
mime: mime,
resize: options.customResizeFunction
});
});
}
}, function() {
log("Not previewable");
drawPreview.failure(container, "Not previewable");
});
return drawPreview;
}
function drawOnCanvasOrImgFromUrl(url, canvasOrImg, draw, maxSize, customResizeFunction) {
var tempImg = new Image(), tempImgRender = new qq.Promise();
registerThumbnailRenderedListener(tempImg, tempImgRender);
if (isCrossOrigin(url)) {
tempImg.crossOrigin = "anonymous";
}
tempImg.src = url;
tempImgRender.then(function rendered() {
registerThumbnailRenderedListener(canvasOrImg, draw);
var mpImg = new qq.MegaPixImage(tempImg);
mpImg.render(canvasOrImg, {
maxWidth: maxSize,
maxHeight: maxSize,
mime: determineMimeOfFileName(url),
resize: customResizeFunction
});
}, draw.failure);
}
function drawOnImgFromUrlWithCssScaling(url, img, draw, maxSize) {
registerThumbnailRenderedListener(img, draw);
qq(img).css({
maxWidth: maxSize + "px",
maxHeight: maxSize + "px"
});
img.src = url;
}
function drawFromUrl(url, container, options) {
var draw = new qq.Promise(), scale = options.scale, maxSize = scale ? options.maxSize : null;
if (scale && isImg(container)) {
if (isCanvasSupported()) {
if (isCrossOrigin(url) && !isImgCorsSupported()) {
drawOnImgFromUrlWithCssScaling(url, container, draw, maxSize);
} else {
drawOnCanvasOrImgFromUrl(url, container, draw, maxSize);
}
} else {
drawOnImgFromUrlWithCssScaling(url, container, draw, maxSize);
}
} else if (isCanvas(container)) {
drawOnCanvasOrImgFromUrl(url, container, draw, maxSize);
} else if (registerThumbnailRenderedListener(container, draw)) {
container.src = url;
}
return draw;
}
qq.extend(this, {
generate: function(fileBlobOrUrl, container, options) {
if (qq.isString(fileBlobOrUrl)) {
log("Attempting to update thumbnail based on server response.");
return drawFromUrl(fileBlobOrUrl, container, options || {});
} else {
log("Attempting to draw client-side image preview.");
return draw(fileBlobOrUrl, container, options || {});
}
}
});
this._testing = {};
this._testing.isImg = isImg;
this._testing.isCanvas = isCanvas;
this._testing.isCrossOrigin = isCrossOrigin;
this._testing.determineMimeOfFileName = determineMimeOfFileName;
};
qq.Exif = function(fileOrBlob, log) {
"use strict";
var TAG_IDS = [ 274 ], TAG_INFO = {
274: {
name: "Orientation",
bytes: 2
}
};
function parseLittleEndian(hex) {
var result = 0, pow = 0;
while (hex.length > 0) {
result += parseInt(hex.substring(0, 2), 16) * Math.pow(2, pow);
hex = hex.substring(2, hex.length);
pow += 8;
}
return result;
}
function seekToApp1(offset, promise) {
var theOffset = offset, thePromise = promise;
if (theOffset === undefined) {
theOffset = 2;
thePromise = new qq.Promise();
}
qq.readBlobToHex(fileOrBlob, theOffset, 4).then(function(hex) {
var match = /^ffe([0-9])/.exec(hex), segmentLength;
if (match) {
if (match[1] !== "1") {
segmentLength = parseInt(hex.slice(4, 8), 16);
seekToApp1(theOffset + segmentLength + 2, thePromise);
} else {
thePromise.success(theOffset);
}
} else {
thePromise.failure("No EXIF header to be found!");
}
});
return thePromise;
}
function getApp1Offset() {
var promise = new qq.Promise();
qq.readBlobToHex(fileOrBlob, 0, 6).then(function(hex) {
if (hex.indexOf("ffd8") !== 0) {
promise.failure("Not a valid JPEG!");
} else {
seekToApp1().then(function(offset) {
promise.success(offset);
}, function(error) {
promise.failure(error);
});
}
});
return promise;
}
function isLittleEndian(app1Start) {
var promise = new qq.Promise();
qq.readBlobToHex(fileOrBlob, app1Start + 10, 2).then(function(hex) {
promise.success(hex === "4949");
});
return promise;
}
function getDirEntryCount(app1Start, littleEndian) {
var promise = new qq.Promise();
qq.readBlobToHex(fileOrBlob, app1Start + 18, 2).then(function(hex) {
if (littleEndian) {
return promise.success(parseLittleEndian(hex));
} else {
promise.success(parseInt(hex, 16));
}
});
return promise;
}
function getIfd(app1Start, dirEntries) {
var offset = app1Start + 20, bytes = dirEntries * 12;
return qq.readBlobToHex(fileOrBlob, offset, bytes);
}
function getDirEntries(ifdHex) {
var entries = [], offset = 0;
while (offset + 24 <= ifdHex.length) {
entries.push(ifdHex.slice(offset, offset + 24));
offset += 24;
}
return entries;
}
function getTagValues(littleEndian, dirEntries) {
var TAG_VAL_OFFSET = 16, tagsToFind = qq.extend([], TAG_IDS), vals = {};
qq.each(dirEntries, function(idx, entry) {
var idHex = entry.slice(0, 4), id = littleEndian ? parseLittleEndian(idHex) : parseInt(idHex, 16), tagsToFindIdx = tagsToFind.indexOf(id), tagValHex, tagName, tagValLength;
if (tagsToFindIdx >= 0) {
tagName = TAG_INFO[id].name;
tagValLength = TAG_INFO[id].bytes;
tagValHex = entry.slice(TAG_VAL_OFFSET, TAG_VAL_OFFSET + tagValLength * 2);
vals[tagName] = littleEndian ? parseLittleEndian(tagValHex) : parseInt(tagValHex, 16);
tagsToFind.splice(tagsToFindIdx, 1);
}
if (tagsToFind.length === 0) {
return false;
}
});
return vals;
}
qq.extend(this, {
parse: function() {
var parser = new qq.Promise(), onParseFailure = function(message) {
log(qq.format("EXIF header parse failed: '{}' ", message));
parser.failure(message);
};
getApp1Offset().then(function(app1Offset) {
log(qq.format("Moving forward with EXIF header parsing for '{}'", fileOrBlob.name === undefined ? "blob" : fileOrBlob.name));
isLittleEndian(app1Offset).then(function(littleEndian) {
log(qq.format("EXIF Byte order is {} endian", littleEndian ? "little" : "big"));
getDirEntryCount(app1Offset, littleEndian).then(function(dirEntryCount) {
log(qq.format("Found {} APP1 directory entries", dirEntryCount));
getIfd(app1Offset, dirEntryCount).then(function(ifdHex) {
var dirEntries = getDirEntries(ifdHex), tagValues = getTagValues(littleEndian, dirEntries);
log("Successfully parsed some EXIF tags");
parser.success(tagValues);
}, onParseFailure);
}, onParseFailure);
}, onParseFailure);
}, onParseFailure);
return parser;
}
});
this._testing = {};
this._testing.parseLittleEndian = parseLittleEndian;
};
qq.Identify = function(fileOrBlob, log) {
"use strict";
function isIdentifiable(magicBytes, questionableBytes) {
var identifiable = false, magicBytesEntries = [].concat(magicBytes);
qq.each(magicBytesEntries, function(idx, magicBytesArrayEntry) {
if (questionableBytes.indexOf(magicBytesArrayEntry) === 0) {
identifiable = true;
return false;
}
});
return identifiable;
}
qq.extend(this, {
isPreviewable: function() {
var self = this, identifier = new qq.Promise(), previewable = false, name = fileOrBlob.name === undefined ? "blob" : fileOrBlob.name;
log(qq.format("Attempting to determine if {} can be rendered in this browser", name));
log("First pass: check type attribute of blob object.");
if (this.isPreviewableSync()) {
log("Second pass: check for magic bytes in file header.");
qq.readBlobToHex(fileOrBlob, 0, 4).then(function(hex) {
qq.each(self.PREVIEWABLE_MIME_TYPES, function(mime, bytes) {
if (isIdentifiable(bytes, hex)) {
if (mime !== "image/tiff" || qq.supportedFeatures.tiffPreviews) {
previewable = true;
identifier.success(mime);
}
return false;
}
});
log(qq.format("'{}' is {} able to be rendered in this browser", name, previewable ? "" : "NOT"));
if (!previewable) {
identifier.failure();
}
}, function() {
log("Error reading file w/ name '" + name + "'. Not able to be rendered in this browser.");
identifier.failure();
});
} else {
identifier.failure();
}
return identifier;
},
isPreviewableSync: function() {
var fileMime = fileOrBlob.type, isRecognizedImage = qq.indexOf(Object.keys(this.PREVIEWABLE_MIME_TYPES), fileMime) >= 0, previewable = false, name = fileOrBlob.name === undefined ? "blob" : fileOrBlob.name;
if (isRecognizedImage) {
if (fileMime === "image/tiff") {
previewable = qq.supportedFeatures.tiffPreviews;
} else {
previewable = true;
}
}
!previewable && log(name + " is not previewable in this browser per the blob's type attr");
return previewable;
}
});
};
qq.Identify.prototype.PREVIEWABLE_MIME_TYPES = {
"image/jpeg": "ffd8ff",
"image/gif": "474946",
"image/png": "89504e",
"image/bmp": "424d",
"image/tiff": [ "49492a00", "4d4d002a" ]
};
qq.ImageValidation = function(blob, log) {
"use strict";
function hasNonZeroLimits(limits) {
var atLeastOne = false;
qq.each(limits, function(limit, value) {
if (value > 0) {
atLeastOne = true;
return false;
}
});
return atLeastOne;
}
function getWidthHeight() {
var sizeDetermination = new qq.Promise();
new qq.Identify(blob, log).isPreviewable().then(function() {
var image = new Image(), url = window.URL && window.URL.createObjectURL ? window.URL : window.webkitURL && window.webkitURL.createObjectURL ? window.webkitURL : null;
if (url) {
image.onerror = function() {
log("Cannot determine dimensions for image. May be too large.", "error");
sizeDetermination.failure();
};
image.onload = function() {
sizeDetermination.success({
width: this.width,
height: this.height
});
};
image.src = url.createObjectURL(blob);
} else {
log("No createObjectURL function available to generate image URL!", "error");
sizeDetermination.failure();
}
}, sizeDetermination.failure);
return sizeDetermination;
}
function getFailingLimit(limits, dimensions) {
var failingLimit;
qq.each(limits, function(limitName, limitValue) {
if (limitValue > 0) {
var limitMatcher = /(max|min)(Width|Height)/.exec(limitName), dimensionPropName = limitMatcher[2].charAt(0).toLowerCase() + limitMatcher[2].slice(1), actualValue = dimensions[dimensionPropName];
switch (limitMatcher[1]) {
case "min":
if (actualValue < limitValue) {
failingLimit = limitName;
return false;
}
break;
case "max":
if (actualValue > limitValue) {
failingLimit = limitName;
return false;
}
break;
}
}
});
return failingLimit;
}
this.validate = function(limits) {
var validationEffort = new qq.Promise();
log("Attempting to validate image.");
if (hasNonZeroLimits(limits)) {
getWidthHeight().then(function(dimensions) {
var failingLimit = getFailingLimit(limits, dimensions);
if (failingLimit) {
validationEffort.failure(failingLimit);
} else {
validationEffort.success();
}
}, validationEffort.success);
} else {
validationEffort.success();
}
return validationEffort;
};
};
qq.Session = function(spec) {
"use strict";
var options = {
endpoint: null,
params: {},
customHeaders: {},
cors: {},
addFileRecord: function(sessionData) {},
log: function(message, level) {}
};
qq.extend(options, spec, true);
function isJsonResponseValid(response) {
if (qq.isArray(response)) {
return true;
}
options.log("Session response is not an array.", "error");
}
function handleFileItems(fileItems, success, xhrOrXdr, promise) {
var someItemsIgnored = false;
success = success && isJsonResponseValid(fileItems);
if (success) {
qq.each(fileItems, function(idx, fileItem) {
if (fileItem.uuid == null) {
someItemsIgnored = true;
options.log(qq.format("Session response item {} did not include a valid UUID - ignoring.", idx), "error");
} else if (fileItem.name == null) {
someItemsIgnored = true;
options.log(qq.format("Session response item {} did not include a valid name - ignoring.", idx), "error");
} else {
try {
options.addFileRecord(fileItem);
return true;
} catch (err) {
someItemsIgnored = true;
options.log(err.message, "error");
}
}
return false;
});
}
promise[success && !someItemsIgnored ? "success" : "failure"](fileItems, xhrOrXdr);
}
this.refresh = function() {
var refreshEffort = new qq.Promise(), refreshCompleteCallback = function(response, success, xhrOrXdr) {
handleFileItems(response, success, xhrOrXdr, refreshEffort);
}, requesterOptions = qq.extend({}, options), requester = new qq.SessionAjaxRequester(qq.extend(requesterOptions, {
onComplete: refreshCompleteCallback
}));
requester.queryServer();
return refreshEffort;
};
};
qq.SessionAjaxRequester = function(spec) {
"use strict";
var requester, options = {
endpoint: null,
customHeaders: {},
params: {},
cors: {
expected: false,
sendCredentials: false
},
onComplete: function(response, success, xhrOrXdr) {},
log: function(str, level) {}
};
qq.extend(options, spec);
function onComplete(id, xhrOrXdr, isError) {
var response = null;
if (xhrOrXdr.responseText != null) {
try {
response = qq.parseJson(xhrOrXdr.responseText);
} catch (err) {
options.log("Problem parsing session response: " + err.message, "error");
isError = true;
}
}
options.onComplete(response, !isError, xhrOrXdr);
}
requester = qq.extend(this, new qq.AjaxRequester({
acceptHeader: "application/json",
validMethods: [ "GET" ],
method: "GET",
endpointStore: {
get: function() {
return options.endpoint;
}
},
customHeaders: options.customHeaders,
log: options.log,
onComplete: onComplete,
cors: options.cors
}));
qq.extend(this, {
queryServer: function() {
var params = qq.extend({}, options.params);
options.log("Session query request.");
requester.initTransport("sessionRefresh").withParams(params).withCacheBuster().send();
}
});
};
qq.Scaler = function(spec, log) {
"use strict";
var self = this, customResizeFunction = spec.customResizer, includeOriginal = spec.sendOriginal, orient = spec.orient, defaultType = spec.defaultType, defaultQuality = spec.defaultQuality / 100, failedToScaleText = spec.failureText, includeExif = spec.includeExif, sizes = this._getSortedSizes(spec.sizes);
qq.extend(this, {
enabled: qq.supportedFeatures.scaling && sizes.length > 0,
getFileRecords: function(originalFileUuid, originalFileName, originalBlobOrBlobData) {
var self = this, records = [], originalBlob = originalBlobOrBlobData.blob ? originalBlobOrBlobData.blob : originalBlobOrBlobData, identifier = new qq.Identify(originalBlob, log);
if (identifier.isPreviewableSync()) {
qq.each(sizes, function(idx, sizeRecord) {
var outputType = self._determineOutputType({
defaultType: defaultType,
requestedType: sizeRecord.type,
refType: originalBlob.type
});
records.push({
uuid: qq.getUniqueId(),
name: self._getName(originalFileName, {
name: sizeRecord.name,
type: outputType,
refType: originalBlob.type
}),
blob: new qq.BlobProxy(originalBlob, qq.bind(self._generateScaledImage, self, {
customResizeFunction: customResizeFunction,
maxSize: sizeRecord.maxSize,
orient: orient,
type: outputType,
quality: defaultQuality,
failedText: failedToScaleText,
includeExif: includeExif,
log: log
}))
});
});
records.push({
uuid: originalFileUuid,
name: originalFileName,
size: originalBlob.size,
blob: includeOriginal ? originalBlob : null
});
} else {
records.push({
uuid: originalFileUuid,
name: originalFileName,
size: originalBlob.size,
blob: originalBlob
});
}
return records;
},
handleNewFile: function(file, name, uuid, size, fileList, batchId, uuidParamName, api) {
var self = this, buttonId = file.qqButtonId || file.blob && file.blob.qqButtonId, scaledIds = [], originalId = null, addFileToHandler = api.addFileToHandler, uploadData = api.uploadData, paramsStore = api.paramsStore, proxyGroupId = qq.getUniqueId();
qq.each(self.getFileRecords(uuid, name, file), function(idx, record) {
var blobSize = record.size, id;
if (record.blob instanceof qq.BlobProxy) {
blobSize = -1;
}
id = uploadData.addFile({
uuid: record.uuid,
name: record.name,
size: blobSize,
batchId: batchId,
proxyGroupId: proxyGroupId
});
if (record.blob instanceof qq.BlobProxy) {
scaledIds.push(id);
} else {
originalId = id;
}
if (record.blob) {
addFileToHandler(id, record.blob);
fileList.push({
id: id,
file: record.blob
});
} else {
uploadData.setStatus(id, qq.status.REJECTED);
}
});
if (originalId !== null) {
qq.each(scaledIds, function(idx, scaledId) {
var params = {
qqparentuuid: uploadData.retrieve({
id: originalId
}).uuid,
qqparentsize: uploadData.retrieve({
id: originalId
}).size
};
params[uuidParamName] = uploadData.retrieve({
id: scaledId
}).uuid;
uploadData.setParentId(scaledId, originalId);
paramsStore.addReadOnly(scaledId, params);
});
if (scaledIds.length) {
(function() {
var param = {};
param[uuidParamName] = uploadData.retrieve({
id: originalId
}).uuid;
paramsStore.addReadOnly(originalId, param);
})();
}
}
}
});
};
qq.extend(qq.Scaler.prototype, {
scaleImage: function(id, specs, api) {
"use strict";
if (!qq.supportedFeatures.scaling) {
throw new qq.Error("Scaling is not supported in this browser!");
}
var scalingEffort = new qq.Promise(), log = api.log, file = api.getFile(id), uploadData = api.uploadData.retrieve({
id: id
}), name = uploadData && uploadData.name, uuid = uploadData && uploadData.uuid, scalingOptions = {
customResizer: specs.customResizer,
sendOriginal: false,
orient: specs.orient,
defaultType: specs.type || null,
defaultQuality: specs.quality,
failedToScaleText: "Unable to scale",
sizes: [ {
name: "",
maxSize: specs.maxSize
} ]
}, scaler = new qq.Scaler(scalingOptions, log);
if (!qq.Scaler || !qq.supportedFeatures.imagePreviews || !file) {
scalingEffort.failure();
log("Could not generate requested scaled image for " + id + ". " + "Scaling is either not possible in this browser, or the file could not be located.", "error");
} else {
qq.bind(function() {
var record = scaler.getFileRecords(uuid, name, file)[0];
if (record && record.blob instanceof qq.BlobProxy) {
record.blob.create().then(scalingEffort.success, scalingEffort.failure);
} else {
log(id + " is not a scalable image!", "error");
scalingEffort.failure();
}
}, this)();
}
return scalingEffort;
},
_determineOutputType: function(spec) {
"use strict";
var requestedType = spec.requestedType, defaultType = spec.defaultType, referenceType = spec.refType;
if (!defaultType && !requestedType) {
if (referenceType !== "image/jpeg") {
return "image/png";
}
return referenceType;
}
if (!requestedType) {
return defaultType;
}
if (qq.indexOf(Object.keys(qq.Identify.prototype.PREVIEWABLE_MIME_TYPES), requestedType) >= 0) {
if (requestedType === "image/tiff") {
return qq.supportedFeatures.tiffPreviews ? requestedType : defaultType;
}
return requestedType;
}
return defaultType;
},
_getName: function(originalName, scaledVersionProperties) {
"use strict";
var startOfExt = originalName.lastIndexOf("."), versionType = scaledVersionProperties.type || "image/png", referenceType = scaledVersionProperties.refType, scaledName = "", scaledExt = qq.getExtension(originalName), nameAppendage = "";
if (scaledVersionProperties.name && scaledVersionProperties.name.trim().length) {
nameAppendage = " (" + scaledVersionProperties.name + ")";
}
if (startOfExt >= 0) {
scaledName = originalName.substr(0, startOfExt);
if (referenceType !== versionType) {
scaledExt = versionType.split("/")[1];
}
scaledName += nameAppendage + "." + scaledExt;
} else {
scaledName = originalName + nameAppendage;
}
return scaledName;
},
_getSortedSizes: function(sizes) {
"use strict";
sizes = qq.extend([], sizes);
return sizes.sort(function(a, b) {
if (a.maxSize > b.maxSize) {
return 1;
}
if (a.maxSize < b.maxSize) {
return -1;
}
return 0;
});
},
_generateScaledImage: function(spec, sourceFile) {
"use strict";
var self = this, customResizeFunction = spec.customResizeFunction, log = spec.log, maxSize = spec.maxSize, orient = spec.orient, type = spec.type, quality = spec.quality, failedText = spec.failedText, includeExif = spec.includeExif && sourceFile.type === "image/jpeg" && type === "image/jpeg", scalingEffort = new qq.Promise(), imageGenerator = new qq.ImageGenerator(log), canvas = document.createElement("canvas");
log("Attempting to generate scaled version for " + sourceFile.name);
imageGenerator.generate(sourceFile, canvas, {
maxSize: maxSize,
orient: orient,
customResizeFunction: customResizeFunction
}).then(function() {
var scaledImageDataUri = canvas.toDataURL(type, quality), signalSuccess = function() {
log("Success generating scaled version for " + sourceFile.name);
var blob = qq.dataUriToBlob(scaledImageDataUri);
scalingEffort.success(blob);
};
if (includeExif) {
self._insertExifHeader(sourceFile, scaledImageDataUri, log).then(function(scaledImageDataUriWithExif) {
scaledImageDataUri = scaledImageDataUriWithExif;
signalSuccess();
}, function() {
log("Problem inserting EXIF header into scaled image. Using scaled image w/out EXIF data.", "error");
signalSuccess();
});
} else {
signalSuccess();
}
}, function() {
log("Failed attempt to generate scaled version for " + sourceFile.name, "error");
scalingEffort.failure(failedText);
});
return scalingEffort;
},
_insertExifHeader: function(originalImage, scaledImageDataUri, log) {
"use strict";
var reader = new FileReader(), insertionEffort = new qq.Promise(), originalImageDataUri = "";
reader.onload = function() {
originalImageDataUri = reader.result;
insertionEffort.success(qq.ExifRestorer.restore(originalImageDataUri, scaledImageDataUri));
};
reader.onerror = function() {
log("Problem reading " + originalImage.name + " during attempt to transfer EXIF data to scaled version.", "error");
insertionEffort.failure();
};
reader.readAsDataURL(originalImage);
return insertionEffort;
},
_dataUriToBlob: function(dataUri) {
"use strict";
var byteString, mimeString, arrayBuffer, intArray;
if (dataUri.split(",")[0].indexOf("base64") >= 0) {
byteString = atob(dataUri.split(",")[1]);
} else {
byteString = decodeURI(dataUri.split(",")[1]);
}
mimeString = dataUri.split(",")[0].split(":")[1].split(";")[0];
arrayBuffer = new ArrayBuffer(byteString.length);
intArray = new Uint8Array(arrayBuffer);
qq.each(byteString, function(idx, character) {
intArray[idx] = character.charCodeAt(0);
});
return this._createBlob(arrayBuffer, mimeString);
},
_createBlob: function(data, mime) {
"use strict";
var BlobBuilder = window.BlobBuilder || window.WebKitBlobBuilder || window.MozBlobBuilder || window.MSBlobBuilder, blobBuilder = BlobBuilder && new BlobBuilder();
if (blobBuilder) {
blobBuilder.append(data);
return blobBuilder.getBlob(mime);
} else {
return new Blob([ data ], {
type: mime
});
}
}
});
qq.ExifRestorer = function() {
var ExifRestorer = {};
ExifRestorer.KEY_STR = "ABCDEFGHIJKLMNOP" + "QRSTUVWXYZabcdef" + "ghijklmnopqrstuv" + "wxyz0123456789+/" + "=";
ExifRestorer.encode64 = function(input) {
var output = "", chr1, chr2, chr3 = "", enc1, enc2, enc3, enc4 = "", i = 0;
do {
chr1 = input[i++];
chr2 = input[i++];
chr3 = input[i++];
enc1 = chr1 >> 2;
enc2 = (chr1 & 3) << 4 | chr2 >> 4;
enc3 = (chr2 & 15) << 2 | chr3 >> 6;
enc4 = chr3 & 63;
if (isNaN(chr2)) {
enc3 = enc4 = 64;
} else if (isNaN(chr3)) {
enc4 = 64;
}
output = output + this.KEY_STR.charAt(enc1) + this.KEY_STR.charAt(enc2) + this.KEY_STR.charAt(enc3) + this.KEY_STR.charAt(enc4);
chr1 = chr2 = chr3 = "";
enc1 = enc2 = enc3 = enc4 = "";
} while (i < input.length);
return output;
};
ExifRestorer.restore = function(origFileBase64, resizedFileBase64) {
var expectedBase64Header = "data:image/jpeg;base64,";
if (!origFileBase64.match(expectedBase64Header)) {
return resizedFileBase64;
}
var rawImage = this.decode64(origFileBase64.replace(expectedBase64Header, ""));
var segments = this.slice2Segments(rawImage);
var image = this.exifManipulation(resizedFileBase64, segments);
return expectedBase64Header + this.encode64(image);
};
ExifRestorer.exifManipulation = function(resizedFileBase64, segments) {
var exifArray = this.getExifArray(segments), newImageArray = this.insertExif(resizedFileBase64, exifArray), aBuffer = new Uint8Array(newImageArray);
return aBuffer;
};
ExifRestorer.getExifArray = function(segments) {
var seg;
for (var x = 0; x < segments.length; x++) {
seg = segments[x];
if (seg[0] == 255 & seg[1] == 225) {
return seg;
}
}
return [];
};
ExifRestorer.insertExif = function(resizedFileBase64, exifArray) {
var imageData = resizedFileBase64.replace("data:image/jpeg;base64,", ""), buf = this.decode64(imageData), separatePoint = buf.indexOf(255, 3), mae = buf.slice(0, separatePoint), ato = buf.slice(separatePoint), array = mae;
array = array.concat(exifArray);
array = array.concat(ato);
return array;
};
ExifRestorer.slice2Segments = function(rawImageArray) {
var head = 0, segments = [];
while (1) {
if (rawImageArray[head] == 255 & rawImageArray[head + 1] == 218) {
break;
}
if (rawImageArray[head] == 255 & rawImageArray[head + 1] == 216) {
head += 2;
} else {
var length = rawImageArray[head + 2] * 256 + rawImageArray[head + 3], endPoint = head + length + 2, seg = rawImageArray.slice(head, endPoint);
segments.push(seg);
head = endPoint;
}
if (head > rawImageArray.length) {
break;
}
}
return segments;
};
ExifRestorer.decode64 = function(input) {
var output = "", chr1, chr2, chr3 = "", enc1, enc2, enc3, enc4 = "", i = 0, buf = [];
var base64test = /[^A-Za-z0-9\+\/\=]/g;
if (base64test.exec(input)) {
throw new Error("There were invalid base64 characters in the input text. " + "Valid base64 characters are A-Z, a-z, 0-9, '+', '/',and '='");
}
input = input.replace(/[^A-Za-z0-9\+\/\=]/g, "");
do {
enc1 = this.KEY_STR.indexOf(input.charAt(i++));
enc2 = this.KEY_STR.indexOf(input.charAt(i++));
enc3 = this.KEY_STR.indexOf(input.charAt(i++));
enc4 = this.KEY_STR.indexOf(input.charAt(i++));
chr1 = enc1 << 2 | enc2 >> 4;
chr2 = (enc2 & 15) << 4 | enc3 >> 2;
chr3 = (enc3 & 3) << 6 | enc4;
buf.push(chr1);
if (enc3 != 64) {
buf.push(chr2);
}
if (enc4 != 64) {
buf.push(chr3);
}
chr1 = chr2 = chr3 = "";
enc1 = enc2 = enc3 = enc4 = "";
} while (i < input.length);
return buf;
};
return ExifRestorer;
}();
qq.TotalProgress = function(callback, getSize) {
"use strict";
var perFileProgress = {}, totalLoaded = 0, totalSize = 0, lastLoadedSent = -1, lastTotalSent = -1, callbackProxy = function(loaded, total) {
if (loaded !== lastLoadedSent || total !== lastTotalSent) {
callback(loaded, total);
}
lastLoadedSent = loaded;
lastTotalSent = total;
}, noRetryableFiles = function(failed, retryable) {
var none = true;
qq.each(failed, function(idx, failedId) {
if (qq.indexOf(retryable, failedId) >= 0) {
none = false;
return false;
}
});
return none;
}, onCancel = function(id) {
updateTotalProgress(id, -1, -1);
delete perFileProgress[id];
}, onAllComplete = function(successful, failed, retryable) {
if (failed.length === 0 || noRetryableFiles(failed, retryable)) {
callbackProxy(totalSize, totalSize);
this.reset();
}
}, onNew = function(id) {
var size = getSize(id);
if (size > 0) {
updateTotalProgress(id, 0, size);
perFileProgress[id] = {
loaded: 0,
total: size
};
}
}, updateTotalProgress = function(id, newLoaded, newTotal) {
var oldLoaded = perFileProgress[id] ? perFileProgress[id].loaded : 0, oldTotal = perFileProgress[id] ? perFileProgress[id].total : 0;
if (newLoaded === -1 && newTotal === -1) {
totalLoaded -= oldLoaded;
totalSize -= oldTotal;
} else {
if (newLoaded) {
totalLoaded += newLoaded - oldLoaded;
}
if (newTotal) {
totalSize += newTotal - oldTotal;
}
}
callbackProxy(totalLoaded, totalSize);
};
qq.extend(this, {
onAllComplete: onAllComplete,
onStatusChange: function(id, oldStatus, newStatus) {
if (newStatus === qq.status.CANCELED || newStatus === qq.status.REJECTED) {
onCancel(id);
} else if (newStatus === qq.status.SUBMITTING) {
onNew(id);
}
},
onIndividualProgress: function(id, loaded, total) {
updateTotalProgress(id, loaded, total);
perFileProgress[id] = {
loaded: loaded,
total: total
};
},
onNewSize: function(id) {
onNew(id);
},
reset: function() {
perFileProgress = {};
totalLoaded = 0;
totalSize = 0;
}
});
};
qq.PasteSupport = function(o) {
"use strict";
var options, detachPasteHandler;
options = {
targetElement: null,
callbacks: {
log: function(message, level) {},
pasteReceived: function(blob) {}
}
};
function isImage(item) {
return item.type && item.type.indexOf("image/") === 0;
}
function registerPasteHandler() {
detachPasteHandler = qq(options.targetElement).attach("paste", function(event) {
var clipboardData = event.clipboardData;
if (clipboardData) {
qq.each(clipboardData.items, function(idx, item) {
if (isImage(item)) {
var blob = item.getAsFile();
options.callbacks.pasteReceived(blob);
}
});
}
});
}
function unregisterPasteHandler() {
if (detachPasteHandler) {
detachPasteHandler();
}
}
qq.extend(options, o);
registerPasteHandler();
qq.extend(this, {
reset: function() {
unregisterPasteHandler();
}
});
};
qq.FormSupport = function(options, startUpload, log) {
"use strict";
var self = this, interceptSubmit = options.interceptSubmit, formEl = options.element, autoUpload = options.autoUpload;
qq.extend(this, {
newEndpoint: null,
newAutoUpload: autoUpload,
attachedToForm: false,
getFormInputsAsObject: function() {
if (formEl == null) {
return null;
}
return self._form2Obj(formEl);
}
});
function determineNewEndpoint(formEl) {
if (formEl.getAttribute("action")) {
self.newEndpoint = formEl.getAttribute("action");
}
}
function validateForm(formEl, nativeSubmit) {
if (formEl.checkValidity && !formEl.checkValidity()) {
log("Form did not pass validation checks - will not upload.", "error");
nativeSubmit();
} else {
return true;
}
}
function maybeUploadOnSubmit(formEl) {
var nativeSubmit = formEl.submit;
qq(formEl).attach("submit", function(event) {
event = event || window.event;
if (event.preventDefault) {
event.preventDefault();
} else {
event.returnValue = false;
}
validateForm(formEl, nativeSubmit) && startUpload();
});
formEl.submit = function() {
validateForm(formEl, nativeSubmit) && startUpload();
};
}
function determineFormEl(formEl) {
if (formEl) {
if (qq.isString(formEl)) {
formEl = document.getElementById(formEl);
}
if (formEl) {
log("Attaching to form element.");
determineNewEndpoint(formEl);
interceptSubmit && maybeUploadOnSubmit(formEl);
}
}
return formEl;
}
formEl = determineFormEl(formEl);
this.attachedToForm = !!formEl;
};
qq.extend(qq.FormSupport.prototype, {
_form2Obj: function(form) {
"use strict";
var obj = {}, notIrrelevantType = function(type) {
var irrelevantTypes = [ "button", "image", "reset", "submit" ];
return qq.indexOf(irrelevantTypes, type.toLowerCase()) < 0;
}, radioOrCheckbox = function(type) {
return qq.indexOf([ "checkbox", "radio" ], type.toLowerCase()) >= 0;
}, ignoreValue = function(el) {
if (radioOrCheckbox(el.type) && !el.checked) {
return true;
}
return el.disabled && el.type.toLowerCase() !== "hidden";
}, selectValue = function(select) {
var value = null;
qq.each(qq(select).children(), function(idx, child) {
if (child.tagName.toLowerCase() === "option" && child.selected) {
value = child.value;
return false;
}
});
return value;
};
qq.each(form.elements, function(idx, el) {
if ((qq.isInput(el, true) || el.tagName.toLowerCase() === "textarea") && notIrrelevantType(el.type) && !ignoreValue(el)) {
obj[el.name] = el.value;
} else if (el.tagName.toLowerCase() === "select" && !ignoreValue(el)) {
var value = selectValue(el);
if (value !== null) {
obj[el.name] = value;
}
}
});
return obj;
}
});
qq.traditional = qq.traditional || {};
qq.traditional.FormUploadHandler = function(options, proxy) {
"use strict";
var handler = this, getName = proxy.getName, getUuid = proxy.getUuid, log = proxy.log;
function getIframeContentJson(id, iframe) {
var response, doc, innerHtml;
try {
doc = iframe.contentDocument || iframe.contentWindow.document;
innerHtml = doc.body.innerHTML;
log("converting iframe's innerHTML to JSON");
log("innerHTML = " + innerHtml);
if (innerHtml && innerHtml.match(/^<pre/i)) {
innerHtml = doc.body.firstChild.firstChild.nodeValue;
}
response = handler._parseJsonResponse(innerHtml);
} catch (error) {
log("Error when attempting to parse form upload response (" + error.message + ")", "error");
response = {
success: false
};
}
return response;
}
function createForm(id, iframe) {
var params = options.paramsStore.get(id), method = options.method.toLowerCase() === "get" ? "GET" : "POST", endpoint = options.endpointStore.get(id), name = getName(id);
params[options.uuidName] = getUuid(id);
params[options.filenameParam] = name;
return handler._initFormForUpload({
method: method,
endpoint: endpoint,
params: params,
paramsInBody: options.paramsInBody,
targetName: iframe.name
});
}
this.uploadFile = function(id) {
var input = handler.getInput(id), iframe = handler._createIframe(id), promise = new qq.Promise(), form;
form = createForm(id, iframe);
form.appendChild(input);
handler._attachLoadEvent(iframe, function(responseFromMessage) {
log("iframe loaded");
var response = responseFromMessage ? responseFromMessage : getIframeContentJson(id, iframe);
handler._detachLoadEvent(id);
if (!options.cors.expected) {
qq(iframe).remove();
}
if (response.success) {
promise.success(response);
} else {
promise.failure(response);
}
});
log("Sending upload request for " + id);
form.submit();
qq(form).remove();
return promise;
};
qq.extend(this, new qq.FormUploadHandler({
options: {
isCors: options.cors.expected,
inputName: options.inputName
},
proxy: {
onCancel: options.onCancel,
getName: getName,
getUuid: getUuid,
log: log
}
}));
};
qq.traditional = qq.traditional || {};
qq.traditional.XhrUploadHandler = function(spec, proxy) {
"use strict";
var handler = this, getName = proxy.getName, getSize = proxy.getSize, getUuid = proxy.getUuid, log = proxy.log, multipart = spec.forceMultipart || spec.paramsInBody, addChunkingSpecificParams = function(id, params, chunkData) {
var size = getSize(id), name = getName(id);
params[spec.chunking.paramNames.partIndex] = chunkData.part;
params[spec.chunking.paramNames.partByteOffset] = chunkData.start;
params[spec.chunking.paramNames.chunkSize] = chunkData.size;
params[spec.chunking.paramNames.totalParts] = chunkData.count;
params[spec.totalFileSizeName] = size;
if (multipart) {
params[spec.filenameParam] = name;
}
}, allChunksDoneRequester = new qq.traditional.AllChunksDoneAjaxRequester({
cors: spec.cors,
endpoint: spec.chunking.success.endpoint,
log: log
}), createReadyStateChangedHandler = function(id, xhr) {
var promise = new qq.Promise();
xhr.onreadystatechange = function() {
if (xhr.readyState === 4) {
var result = onUploadOrChunkComplete(id, xhr);
if (result.success) {
promise.success(result.response, xhr);
} else {
promise.failure(result.response, xhr);
}
}
};
return promise;
}, getChunksCompleteParams = function(id) {
var params = spec.paramsStore.get(id), name = getName(id), size = getSize(id);
params[spec.uuidName] = getUuid(id);
params[spec.filenameParam] = name;
params[spec.totalFileSizeName] = size;
params[spec.chunking.paramNames.totalParts] = handler._getTotalChunks(id);
return params;
}, isErrorUploadResponse = function(xhr, response) {
return qq.indexOf([ 200, 201, 202, 203, 204 ], xhr.status) < 0 || !response.success || response.reset;
}, onUploadOrChunkComplete = function(id, xhr) {
var response;
log("xhr - server response received for " + id);
log("responseText = " + xhr.responseText);
response = parseResponse(true, xhr);
return {
success: !isErrorUploadResponse(xhr, response),
response: response
};
}, parseResponse = function(upload, xhr) {
var response = {};
try {
log(qq.format("Received response status {} with body: {}", xhr.status, xhr.responseText));
response = qq.parseJson(xhr.responseText);
} catch (error) {
upload && log("Error when attempting to parse xhr response text (" + error.message + ")", "error");
}
return response;
}, sendChunksCompleteRequest = function(id) {
var promise = new qq.Promise();
allChunksDoneRequester.complete(id, handler._createXhr(id), getChunksCompleteParams(id), spec.customHeaders.get(id)).then(function(xhr) {
promise.success(parseResponse(false, xhr), xhr);
}, function(xhr) {
promise.failure(parseResponse(false, xhr), xhr);
});
return promise;
}, setParamsAndGetEntityToSend = function(params, xhr, fileOrBlob, id) {
var formData = new FormData(), method = spec.method, endpoint = spec.endpointStore.get(id), name = getName(id), size = getSize(id);
params[spec.uuidName] = getUuid(id);
params[spec.filenameParam] = name;
if (multipart) {
params[spec.totalFileSizeName] = size;
}
if (!spec.paramsInBody) {
if (!multipart) {
params[spec.inputName] = name;
}
endpoint = qq.obj2url(params, endpoint);
}
xhr.open(method, endpoint, true);
if (spec.cors.expected && spec.cors.sendCredentials) {
xhr.withCredentials = true;
}
if (multipart) {
if (spec.paramsInBody) {
qq.obj2FormData(params, formData);
}
formData.append(spec.inputName, fileOrBlob);
return formData;
}
return fileOrBlob;
}, setUploadHeaders = function(id, xhr) {
var extraHeaders = spec.customHeaders.get(id), fileOrBlob = handler.getFile(id);
xhr.setRequestHeader("Accept", "application/json");
xhr.setRequestHeader("X-Requested-With", "XMLHttpRequest");
xhr.setRequestHeader("Cache-Control", "no-cache");
if (!multipart) {
xhr.setRequestHeader("Content-Type", "application/octet-stream");
xhr.setRequestHeader("X-Mime-Type", fileOrBlob.type);
}
qq.each(extraHeaders, function(name, val) {
xhr.setRequestHeader(name, val);
});
};
qq.extend(this, {
uploadChunk: function(id, chunkIdx, resuming) {
var chunkData = handler._getChunkData(id, chunkIdx), xhr = handler._createXhr(id, chunkIdx), size = getSize(id), promise, toSend, params;
promise = createReadyStateChangedHandler(id, xhr);
handler._registerProgressHandler(id, chunkIdx, chunkData.size);
params = spec.paramsStore.get(id);
addChunkingSpecificParams(id, params, chunkData);
if (resuming) {
params[spec.resume.paramNames.resuming] = true;
}
toSend = setParamsAndGetEntityToSend(params, xhr, chunkData.blob, id);
setUploadHeaders(id, xhr);
xhr.send(toSend);
return promise;
},
uploadFile: function(id) {
var fileOrBlob = handler.getFile(id), promise, xhr, params, toSend;
xhr = handler._createXhr(id);
handler._registerProgressHandler(id);
promise = createReadyStateChangedHandler(id, xhr);
params = spec.paramsStore.get(id);
toSend = setParamsAndGetEntityToSend(params, xhr, fileOrBlob, id);
setUploadHeaders(id, xhr);
xhr.send(toSend);
return promise;
}
});
qq.extend(this, new qq.XhrUploadHandler({
options: qq.extend({
namespace: "traditional"
}, spec),
proxy: qq.extend({
getEndpoint: spec.endpointStore.get
}, proxy)
}));
qq.override(this, function(super_) {
return {
finalizeChunks: function(id) {
if (spec.chunking.success.endpoint) {
return sendChunksCompleteRequest(id);
} else {
return super_.finalizeChunks(id, qq.bind(parseResponse, this, true));
}
}
};
});
};
qq.traditional.AllChunksDoneAjaxRequester = function(o) {
"use strict";
var requester, method = "POST", options = {
cors: {
allowXdr: false,
expected: false,
sendCredentials: false
},
endpoint: null,
log: function(str, level) {}
}, promises = {}, endpointHandler = {
get: function(id) {
return options.endpoint;
}
};
qq.extend(options, o);
requester = qq.extend(this, new qq.AjaxRequester({
acceptHeader: "application/json",
validMethods: [ method ],
method: method,
endpointStore: endpointHandler,
allowXRequestedWithAndCacheControl: false,
cors: options.cors,
log: options.log,
onComplete: function(id, xhr, isError) {
var promise = promises[id];
delete promises[id];
if (isError) {
promise.failure(xhr);
} else {
promise.success(xhr);
}
}
}));
qq.extend(this, {
complete: function(id, xhr, params, headers) {
var promise = new qq.Promise();
options.log("Submitting All Chunks Done request for " + id);
promises[id] = promise;
requester.initTransport(id).withParams(params).withHeaders(headers).send(xhr);
return promise;
}
});
};
qq.DragAndDrop = function(o) {
"use strict";
var options, HIDE_ZONES_EVENT_NAME = "qq-hidezones", HIDE_BEFORE_ENTER_ATTR = "qq-hide-dropzone", uploadDropZones = [], droppedFiles = [], disposeSupport = new qq.DisposeSupport();
options = {
dropZoneElements: [],
allowMultipleItems: true,
classes: {
dropActive: null
},
callbacks: new qq.DragAndDrop.callbacks()
};
qq.extend(options, o, true);
function uploadDroppedFiles(files, uploadDropZone) {
var filesAsArray = Array.prototype.slice.call(files);
options.callbacks.dropLog("Grabbed " + files.length + " dropped files.");
uploadDropZone.dropDisabled(false);
options.callbacks.processingDroppedFilesComplete(filesAsArray, uploadDropZone.getElement());
}
function traverseFileTree(entry) {
var parseEntryPromise = new qq.Promise();
if (entry.isFile) {
entry.file(function(file) {
var name = entry.name, fullPath = entry.fullPath, indexOfNameInFullPath = fullPath.indexOf(name);
fullPath = fullPath.substr(0, indexOfNameInFullPath);
if (fullPath.charAt(0) === "/") {
fullPath = fullPath.substr(1);
}
file.qqPath = fullPath;
droppedFiles.push(file);
parseEntryPromise.success();
}, function(fileError) {
options.callbacks.dropLog("Problem parsing '" + entry.fullPath + "'. FileError code " + fileError.code + ".", "error");
parseEntryPromise.failure();
});
} else if (entry.isDirectory) {
getFilesInDirectory(entry).then(function allEntriesRead(entries) {
var entriesLeft = entries.length;
qq.each(entries, function(idx, entry) {
traverseFileTree(entry).done(function() {
entriesLeft -= 1;
if (entriesLeft === 0) {
parseEntryPromise.success();
}
});
});
if (!entries.length) {
parseEntryPromise.success();
}
}, function readFailure(fileError) {
options.callbacks.dropLog("Problem parsing '" + entry.fullPath + "'. FileError code " + fileError.code + ".", "error");
parseEntryPromise.failure();
});
}
return parseEntryPromise;
}
function getFilesInDirectory(entry, reader, accumEntries, existingPromise) {
var promise = existingPromise || new qq.Promise(), dirReader = reader || entry.createReader();
dirReader.readEntries(function readSuccess(entries) {
var newEntries = accumEntries ? accumEntries.concat(entries) : entries;
if (entries.length) {
setTimeout(function() {
getFilesInDirectory(entry, dirReader, newEntries, promise);
}, 0);
} else {
promise.success(newEntries);
}
}, promise.failure);
return promise;
}
function handleDataTransfer(dataTransfer, uploadDropZone) {
var pendingFolderPromises = [], handleDataTransferPromise = new qq.Promise();
options.callbacks.processingDroppedFiles();
uploadDropZone.dropDisabled(true);
if (dataTransfer.files.length > 1 && !options.allowMultipleItems) {
options.callbacks.processingDroppedFilesComplete([]);
options.callbacks.dropError("tooManyFilesError", "");
uploadDropZone.dropDisabled(false);
handleDataTransferPromise.failure();
} else {
droppedFiles = [];
if (qq.isFolderDropSupported(dataTransfer)) {
qq.each(dataTransfer.items, function(idx, item) {
var entry = item.webkitGetAsEntry();
if (entry) {
if (entry.isFile) {
droppedFiles.push(item.getAsFile());
} else {
pendingFolderPromises.push(traverseFileTree(entry).done(function() {
pendingFolderPromises.pop();
if (pendingFolderPromises.length === 0) {
handleDataTransferPromise.success();
}
}));
}
}
});
} else {
droppedFiles = dataTransfer.files;
}
if (pendingFolderPromises.length === 0) {
handleDataTransferPromise.success();
}
}
return handleDataTransferPromise;
}
function setupDropzone(dropArea) {
var dropZone = new qq.UploadDropZone({
HIDE_ZONES_EVENT_NAME: HIDE_ZONES_EVENT_NAME,
element: dropArea,
onEnter: function(e) {
qq(dropArea).addClass(options.classes.dropActive);
e.stopPropagation();
},
onLeaveNotDescendants: function(e) {
qq(dropArea).removeClass(options.classes.dropActive);
},
onDrop: function(e) {
handleDataTransfer(e.dataTransfer, dropZone).then(function() {
uploadDroppedFiles(droppedFiles, dropZone);
}, function() {
options.callbacks.dropLog("Drop event DataTransfer parsing failed. No files will be uploaded.", "error");
});
}
});
disposeSupport.addDisposer(function() {
dropZone.dispose();
});
qq(dropArea).hasAttribute(HIDE_BEFORE_ENTER_ATTR) && qq(dropArea).hide();
uploadDropZones.push(dropZone);
return dropZone;
}
function isFileDrag(dragEvent) {
var fileDrag;
qq.each(dragEvent.dataTransfer.types, function(key, val) {
if (val === "Files") {
fileDrag = true;
return false;
}
});
return fileDrag;
}
function leavingDocumentOut(e) {
if (qq.safari()) {
return e.x < 0 || e.y < 0;
}
return e.x === 0 && e.y === 0;
}
function setupDragDrop() {
var dropZones = options.dropZoneElements, maybeHideDropZones = function() {
setTimeout(function() {
qq.each(dropZones, function(idx, dropZone) {
qq(dropZone).hasAttribute(HIDE_BEFORE_ENTER_ATTR) && qq(dropZone).hide();
qq(dropZone).removeClass(options.classes.dropActive);
});
}, 10);
};
qq.each(dropZones, function(idx, dropZone) {
var uploadDropZone = setupDropzone(dropZone);
if (dropZones.length && qq.supportedFeatures.fileDrop) {
disposeSupport.attach(document, "dragenter", function(e) {
if (!uploadDropZone.dropDisabled() && isFileDrag(e)) {
qq.each(dropZones, function(idx, dropZone) {
if (dropZone instanceof HTMLElement && qq(dropZone).hasAttribute(HIDE_BEFORE_ENTER_ATTR)) {
qq(dropZone).css({
display: "block"
});
}
});
}
});
}
});
disposeSupport.attach(document, "dragleave", function(e) {
if (leavingDocumentOut(e)) {
maybeHideDropZones();
}
});
disposeSupport.attach(qq(document).children()[0], "mouseenter", function(e) {
maybeHideDropZones();
});
disposeSupport.attach(document, "drop", function(e) {
if (isFileDrag(e)) {
e.preventDefault();
maybeHideDropZones();
}
});
disposeSupport.attach(document, HIDE_ZONES_EVENT_NAME, maybeHideDropZones);
}
setupDragDrop();
qq.extend(this, {
setupExtraDropzone: function(element) {
options.dropZoneElements.push(element);
setupDropzone(element);
},
removeDropzone: function(element) {
var i, dzs = options.dropZoneElements;
for (i in dzs) {
if (dzs[i] === element) {
return dzs.splice(i, 1);
}
}
},
dispose: function() {
disposeSupport.dispose();
qq.each(uploadDropZones, function(idx, dropZone) {
dropZone.dispose();
});
}
});
};
qq.DragAndDrop.callbacks = function() {
"use strict";
return {
processingDroppedFiles: function() {},
processingDroppedFilesComplete: function(files, targetEl) {},
dropError: function(code, errorSpecifics) {
qq.log("Drag & drop error code '" + code + " with these specifics: '" + errorSpecifics + "'", "error");
},
dropLog: function(message, level) {
qq.log(message, level);
}
};
};
qq.UploadDropZone = function(o) {
"use strict";
var disposeSupport = new qq.DisposeSupport(), options, element, preventDrop, dropOutsideDisabled;
options = {
element: null,
onEnter: function(e) {},
onLeave: function(e) {},
onLeaveNotDescendants: function(e) {},
onDrop: function(e) {}
};
qq.extend(options, o);
element = options.element;
function dragoverShouldBeCanceled() {
return qq.safari() || qq.firefox() && qq.windows();
}
function disableDropOutside(e) {
if (!dropOutsideDisabled) {
if (dragoverShouldBeCanceled) {
disposeSupport.attach(document, "dragover", function(e) {
e.preventDefault();
});
} else {
disposeSupport.attach(document, "dragover", function(e) {
if (e.dataTransfer) {
e.dataTransfer.dropEffect = "none";
e.preventDefault();
}
});
}
dropOutsideDisabled = true;
}
}
function isValidFileDrag(e) {
if (!qq.supportedFeatures.fileDrop) {
return false;
}
var effectTest, dt = e.dataTransfer, isSafari = qq.safari();
effectTest = qq.ie() && qq.supportedFeatures.fileDrop ? true : dt.effectAllowed !== "none";
return dt && effectTest && (dt.files && dt.files.length || !isSafari && dt.types.contains && dt.types.contains("Files") || dt.types.includes && dt.types.includes("Files"));
}
function isOrSetDropDisabled(isDisabled) {
if (isDisabled !== undefined) {
preventDrop = isDisabled;
}
return preventDrop;
}
function triggerHidezonesEvent() {
var hideZonesEvent;
function triggerUsingOldApi() {
hideZonesEvent = document.createEvent("Event");
hideZonesEvent.initEvent(options.HIDE_ZONES_EVENT_NAME, true, true);
}
if (window.CustomEvent) {
try {
hideZonesEvent = new CustomEvent(options.HIDE_ZONES_EVENT_NAME);
} catch (err) {
triggerUsingOldApi();
}
} else {
triggerUsingOldApi();
}
document.dispatchEvent(hideZonesEvent);
}
function attachEvents() {
disposeSupport.attach(element, "dragover", function(e) {
if (!isValidFileDrag(e)) {
return;
}
var effect = qq.ie() && qq.supportedFeatures.fileDrop ? null : e.dataTransfer.effectAllowed;
if (effect === "move" || effect === "linkMove") {
e.dataTransfer.dropEffect = "move";
} else {
e.dataTransfer.dropEffect = "copy";
}
e.stopPropagation();
e.preventDefault();
});
disposeSupport.attach(element, "dragenter", function(e) {
if (!isOrSetDropDisabled()) {
if (!isValidFileDrag(e)) {
return;
}
options.onEnter(e);
}
});
disposeSupport.attach(element, "dragleave", function(e) {
if (!isValidFileDrag(e)) {
return;
}
options.onLeave(e);
var relatedTarget = document.elementFromPoint(e.clientX, e.clientY);
if (qq(this).contains(relatedTarget)) {
return;
}
options.onLeaveNotDescendants(e);
});
disposeSupport.attach(element, "drop", function(e) {
if (!isOrSetDropDisabled()) {
if (!isValidFileDrag(e)) {
return;
}
e.preventDefault();
e.stopPropagation();
options.onDrop(e);
triggerHidezonesEvent();
}
});
}
disableDropOutside();
attachEvents();
qq.extend(this, {
dropDisabled: function(isDisabled) {
return isOrSetDropDisabled(isDisabled);
},
dispose: function() {
disposeSupport.dispose();
},
getElement: function() {
return element;
}
});
this._testing = {};
this._testing.isValidFileDrag = isValidFileDrag;
};
(function() {
"use strict";
qq.uiPublicApi = {
addInitialFiles: function(cannedFileList) {
this._parent.prototype.addInitialFiles.apply(this, arguments);
this._templating.addCacheToDom();
},
clearStoredFiles: function() {
this._parent.prototype.clearStoredFiles.apply(this, arguments);
this._templating.clearFiles();
},
addExtraDropzone: function(element) {
this._dnd && this._dnd.setupExtraDropzone(element);
},
removeExtraDropzone: function(element) {
if (this._dnd) {
return this._dnd.removeDropzone(element);
}
},
getItemByFileId: function(id) {
if (!this._templating.isHiddenForever(id)) {
return this._templating.getFileContainer(id);
}
},
reset: function() {
this._parent.prototype.reset.apply(this, arguments);
this._templating.reset();
if (!this._options.button && this._templating.getButton()) {
this._defaultButtonId = this._createUploadButton({
element: this._templating.getButton(),
title: this._options.text.fileInputTitle
}).getButtonId();
}
if (this._dnd) {
this._dnd.dispose();
this._dnd = this._setupDragAndDrop();
}
this._totalFilesInBatch = 0;
this._filesInBatchAddedToUi = 0;
this._setupClickAndEditEventHandlers();
},
setName: function(id, newName) {
var formattedFilename = this._options.formatFileName(newName);
this._parent.prototype.setName.apply(this, arguments);
this._templating.updateFilename(id, formattedFilename);
},
pauseUpload: function(id) {
var paused = this._parent.prototype.pauseUpload.apply(this, arguments);
paused && this._templating.uploadPaused(id);
return paused;
},
continueUpload: function(id) {
var continued = this._parent.prototype.continueUpload.apply(this, arguments);
continued && this._templating.uploadContinued(id);
return continued;
},
getId: function(fileContainerOrChildEl) {
return this._templating.getFileId(fileContainerOrChildEl);
},
getDropTarget: function(fileId) {
var file = this.getFile(fileId);
return file.qqDropTarget;
}
};
qq.uiPrivateApi = {
_getButton: function(buttonId) {
var button = this._parent.prototype._getButton.apply(this, arguments);
if (!button) {
if (buttonId === this._defaultButtonId) {
button = this._templating.getButton();
}
}
return button;
},
_removeFileItem: function(fileId) {
this._templating.removeFile(fileId);
},
_setupClickAndEditEventHandlers: function() {
this._fileButtonsClickHandler = qq.FileButtonsClickHandler && this._bindFileButtonsClickEvent();
this._focusinEventSupported = !qq.firefox();
if (this._isEditFilenameEnabled()) {
this._filenameClickHandler = this._bindFilenameClickEvent();
this._filenameInputFocusInHandler = this._bindFilenameInputFocusInEvent();
this._filenameInputFocusHandler = this._bindFilenameInputFocusEvent();
}
},
_setupDragAndDrop: function() {
var self = this, dropZoneElements = this._options.dragAndDrop.extraDropzones, templating = this._templating, defaultDropZone = templating.getDropZone();
defaultDropZone && dropZoneElements.push(defaultDropZone);
return new qq.DragAndDrop({
dropZoneElements: dropZoneElements,
allowMultipleItems: this._options.multiple,
classes: {
dropActive: this._options.classes.dropActive
},
callbacks: {
processingDroppedFiles: function() {
templating.showDropProcessing();
},
processingDroppedFilesComplete: function(files, targetEl) {
templating.hideDropProcessing();
qq.each(files, function(idx, file) {
file.qqDropTarget = targetEl;
});
if (files.length) {
self.addFiles(files, null, null);
}
},
dropError: function(code, errorData) {
self._itemError(code, errorData);
},
dropLog: function(message, level) {
self.log(message, level);
}
}
});
},
_bindFileButtonsClickEvent: function() {
var self = this;
return new qq.FileButtonsClickHandler({
templating: this._templating,
log: function(message, lvl) {
self.log(message, lvl);
},
onDeleteFile: function(fileId) {
self.deleteFile(fileId);
},
onCancel: function(fileId) {
self.cancel(fileId);
},
onRetry: function(fileId) {
self.retry(fileId);
},
onPause: function(fileId) {
self.pauseUpload(fileId);
},
onContinue: function(fileId) {
self.continueUpload(fileId);
},
onGetName: function(fileId) {
return self.getName(fileId);
}
});
},
_isEditFilenameEnabled: function() {
return this._templating.isEditFilenamePossible() && !this._options.autoUpload && qq.FilenameClickHandler && qq.FilenameInputFocusHandler && qq.FilenameInputFocusHandler;
},
_filenameEditHandler: function() {
var self = this, templating = this._templating;
return {
templating: templating,
log: function(message, lvl) {
self.log(message, lvl);
},
onGetUploadStatus: function(fileId) {
return self.getUploads({
id: fileId
}).status;
},
onGetName: function(fileId) {
return self.getName(fileId);
},
onSetName: function(id, newName) {
self.setName(id, newName);
},
onEditingStatusChange: function(id, isEditing) {
var qqInput = qq(templating.getEditInput(id)), qqFileContainer = qq(templating.getFileContainer(id));
if (isEditing) {
qqInput.addClass("qq-editing");
templating.hideFilename(id);
templating.hideEditIcon(id);
} else {
qqInput.removeClass("qq-editing");
templating.showFilename(id);
templating.showEditIcon(id);
}
qqFileContainer.addClass("qq-temp").removeClass("qq-temp");
}
};
},
_onUploadStatusChange: function(id, oldStatus, newStatus) {
this._parent.prototype._onUploadStatusChange.apply(this, arguments);
if (this._isEditFilenameEnabled()) {
if (this._templating.getFileContainer(id) && newStatus !== qq.status.SUBMITTED) {
this._templating.markFilenameEditable(id);
this._templating.hideEditIcon(id);
}
}
if (oldStatus === qq.status.UPLOAD_RETRYING && newStatus === qq.status.UPLOADING) {
this._templating.hideRetry(id);
this._templating.setStatusText(id);
qq(this._templating.getFileContainer(id)).removeClass(this._classes.retrying);
} else if (newStatus === qq.status.UPLOAD_FAILED) {
this._templating.hidePause(id);
}
},
_bindFilenameInputFocusInEvent: function() {
var spec = qq.extend({}, this._filenameEditHandler());
return new qq.FilenameInputFocusInHandler(spec);
},
_bindFilenameInputFocusEvent: function() {
var spec = qq.extend({}, this._filenameEditHandler());
return new qq.FilenameInputFocusHandler(spec);
},
_bindFilenameClickEvent: function() {
var spec = qq.extend({}, this._filenameEditHandler());
return new qq.FilenameClickHandler(spec);
},
_storeForLater: function(id) {
this._parent.prototype._storeForLater.apply(this, arguments);
this._templating.hideSpinner(id);
},
_onAllComplete: function(successful, failed) {
this._parent.prototype._onAllComplete.apply(this, arguments);
this._templating.resetTotalProgress();
},
_onSubmit: function(id, name) {
var file = this.getFile(id);
if (file && file.qqPath && this._options.dragAndDrop.reportDirectoryPaths) {
this._paramsStore.addReadOnly(id, {
qqpath: file.qqPath
});
}
this._parent.prototype._onSubmit.apply(this, arguments);
this._addToList(id, name);
},
_onSubmitted: function(id) {
if (this._isEditFilenameEnabled()) {
this._templating.markFilenameEditable(id);
this._templating.showEditIcon(id);
if (!this._focusinEventSupported) {
this._filenameInputFocusHandler.addHandler(this._templating.getEditInput(id));
}
}
},
_onProgress: function(id, name, loaded, total) {
this._parent.prototype._onProgress.apply(this, arguments);
this._templating.updateProgress(id, loaded, total);
if (total === 0 || Math.round(loaded / total * 100) === 100) {
this._templating.hideCancel(id);
this._templating.hidePause(id);
this._templating.hideProgress(id);
this._templating.setStatusText(id, this._options.text.waitingForResponse);
this._displayFileSize(id);
} else {
this._displayFileSize(id, loaded, total);
}
},
_onTotalProgress: function(loaded, total) {
this._parent.prototype._onTotalProgress.apply(this, arguments);
this._templating.updateTotalProgress(loaded, total);
},
_onComplete: function(id, name, result, xhr) {
var parentRetVal = this._parent.prototype._onComplete.apply(this, arguments), templating = this._templating, fileContainer = templating.getFileContainer(id), self = this;
function completeUpload(result) {
if (!fileContainer) {
return;
}
templating.setStatusText(id);
qq(fileContainer).removeClass(self._classes.retrying);
templating.hideProgress(id);
if (self.getUploads({
id: id
}).status !== qq.status.UPLOAD_FAILED) {
templating.hideCancel(id);
}
templating.hideSpinner(id);
if (result.success) {
self._markFileAsSuccessful(id);
} else {
qq(fileContainer).addClass(self._classes.fail);
templating.showCancel(id);
if (templating.isRetryPossible() && !self._preventRetries[id]) {
qq(fileContainer).addClass(self._classes.retryable);
templating.showRetry(id);
}
self._controlFailureTextDisplay(id, result);
}
}
if (parentRetVal instanceof qq.Promise) {
parentRetVal.done(function(newResult) {
completeUpload(newResult);
});
} else {
completeUpload(result);
}
return parentRetVal;
},
_markFileAsSuccessful: function(id) {
var templating = this._templating;
if (this._isDeletePossible()) {
templating.showDeleteButton(id);
}
qq(templating.getFileContainer(id)).addClass(this._classes.success);
this._maybeUpdateThumbnail(id);
},
_onUploadPrep: function(id) {
this._parent.prototype._onUploadPrep.apply(this, arguments);
this._templating.showSpinner(id);
},
_onUpload: function(id, name) {
var parentRetVal = this._parent.prototype._onUpload.apply(this, arguments);
this._templating.showSpinner(id);
return parentRetVal;
},
_onUploadChunk: function(id, chunkData) {
this._parent.prototype._onUploadChunk.apply(this, arguments);
if (chunkData.partIndex > 0 && this._handler.isResumable(id)) {
this._templating.allowPause(id);
}
},
_onCancel: function(id, name) {
this._parent.prototype._onCancel.apply(this, arguments);
this._removeFileItem(id);
if (this._getNotFinished() === 0) {
this._templating.resetTotalProgress();
}
},
_onBeforeAutoRetry: function(id) {
var retryNumForDisplay, maxAuto, retryNote;
this._parent.prototype._onBeforeAutoRetry.apply(this, arguments);
this._showCancelLink(id);
if (this._options.retry.showAutoRetryNote) {
retryNumForDisplay = this._autoRetries[id];
maxAuto = this._options.retry.maxAutoAttempts;
retryNote = this._options.retry.autoRetryNote.replace(/\{retryNum\}/g, retryNumForDisplay);
retryNote = retryNote.replace(/\{maxAuto\}/g, maxAuto);
this._templating.setStatusText(id, retryNote);
qq(this._templating.getFileContainer(id)).addClass(this._classes.retrying);
}
},
_onBeforeManualRetry: function(id) {
if (this._parent.prototype._onBeforeManualRetry.apply(this, arguments)) {
this._templating.resetProgress(id);
qq(this._templating.getFileContainer(id)).removeClass(this._classes.fail);
this._templating.setStatusText(id);
this._templating.showSpinner(id);
this._showCancelLink(id);
return true;
} else {
qq(this._templating.getFileContainer(id)).addClass(this._classes.retryable);
this._templating.showRetry(id);
return false;
}
},
_onSubmitDelete: function(id) {
var onSuccessCallback = qq.bind(this._onSubmitDeleteSuccess, this);
this._parent.prototype._onSubmitDelete.call(this, id, onSuccessCallback);
},
_onSubmitDeleteSuccess: function(id, uuid, additionalMandatedParams) {
if (this._options.deleteFile.forceConfirm) {
this._showDeleteConfirm.apply(this, arguments);
} else {
this._sendDeleteRequest.apply(this, arguments);
}
},
_onDeleteComplete: function(id, xhr, isError) {
this._parent.prototype._onDeleteComplete.apply(this, arguments);
this._templating.hideSpinner(id);
if (isError) {
this._templating.setStatusText(id, this._options.deleteFile.deletingFailedText);
this._templating.showDeleteButton(id);
} else {
this._removeFileItem(id);
}
},
_sendDeleteRequest: function(id, uuid, additionalMandatedParams) {
this._templating.hideDeleteButton(id);
this._templating.showSpinner(id);
this._templating.setStatusText(id, this._options.deleteFile.deletingStatusText);
this._deleteHandler.sendDelete.apply(this, arguments);
},
_showDeleteConfirm: function(id, uuid, mandatedParams) {
var fileName = this.getName(id), confirmMessage = this._options.deleteFile.confirmMessage.replace(/\{filename\}/g, fileName), uuid = this.getUuid(id), deleteRequestArgs = arguments, self = this, retVal;
retVal = this._options.showConfirm(confirmMessage);
if (qq.isGenericPromise(retVal)) {
retVal.then(function() {
self._sendDeleteRequest.apply(self, deleteRequestArgs);
});
} else if (retVal !== false) {
self._sendDeleteRequest.apply(self, deleteRequestArgs);
}
},
_addToList: function(id, name, canned) {
var prependData, prependIndex = 0, dontDisplay = this._handler.isProxied(id) && this._options.scaling.hideScaled, record;
if (this._options.display.prependFiles) {
if (this._totalFilesInBatch > 1 && this._filesInBatchAddedToUi > 0) {
prependIndex = this._filesInBatchAddedToUi - 1;
}
prependData = {
index: prependIndex
};
}
if (!canned) {
if (this._options.disableCancelForFormUploads && !qq.supportedFeatures.ajaxUploading) {
this._templating.disableCancel();
}
if (!this._options.multiple) {
record = this.getUploads({
id: id
});
this._handledProxyGroup = this._handledProxyGroup || record.proxyGroupId;
if (record.proxyGroupId !== this._handledProxyGroup || !record.proxyGroupId) {
this._handler.cancelAll();
this._clearList();
this._handledProxyGroup = null;
}
}
}
if (canned) {
this._templating.addFileToCache(id, this._options.formatFileName(name), prependData, dontDisplay);
this._templating.updateThumbnail(id, this._thumbnailUrls[id], true, this._options.thumbnails.customResizer);
} else {
this._templating.addFile(id, this._options.formatFileName(name), prependData, dontDisplay);
this._templating.generatePreview(id, this.getFile(id), this._options.thumbnails.customResizer);
}
this._filesInBatchAddedToUi += 1;
if (canned || this._options.display.fileSizeOnSubmit && qq.supportedFeatures.ajaxUploading) {
this._displayFileSize(id);
}
},
_clearList: function() {
this._templating.clearFiles();
this.clearStoredFiles();
},
_displayFileSize: function(id, loadedSize, totalSize) {
var size = this.getSize(id), sizeForDisplay = this._formatSize(size);
if (size >= 0) {
if (loadedSize !== undefined && totalSize !== undefined) {
sizeForDisplay = this._formatProgress(loadedSize, totalSize);
}
this._templating.updateSize(id, sizeForDisplay);
}
},
_formatProgress: function(uploadedSize, totalSize) {
var message = this._options.text.formatProgress;
function r(name, replacement) {
message = message.replace(name, replacement);
}
r("{percent}", Math.round(uploadedSize / totalSize * 100));
r("{total_size}", this._formatSize(totalSize));
return message;
},
_controlFailureTextDisplay: function(id, response) {
var mode, responseProperty, failureReason;
mode = this._options.failedUploadTextDisplay.mode;
responseProperty = this._options.failedUploadTextDisplay.responseProperty;
if (mode === "custom") {
failureReason = response[responseProperty];
if (!failureReason) {
failureReason = this._options.text.failUpload;
}
this._templating.setStatusText(id, failureReason);
if (this._options.failedUploadTextDisplay.enableTooltip) {
this._showTooltip(id, failureReason);
}
} else if (mode === "default") {
this._templating.setStatusText(id, this._options.text.failUpload);
} else if (mode !== "none") {
this.log("failedUploadTextDisplay.mode value of '" + mode + "' is not valid", "warn");
}
},
_showTooltip: function(id, text) {
this._templating.getFileContainer(id).title = text;
},
_showCancelLink: function(id) {
if (!this._options.disableCancelForFormUploads || qq.supportedFeatures.ajaxUploading) {
this._templating.showCancel(id);
}
},
_itemError: function(code, name, item) {
var message = this._parent.prototype._itemError.apply(this, arguments);
this._options.showMessage(message);
},
_batchError: function(message) {
this._parent.prototype._batchError.apply(this, arguments);
this._options.showMessage(message);
},
_setupPastePrompt: function() {
var self = this;
this._options.callbacks.onPasteReceived = function() {
var message = self._options.paste.namePromptMessage, defaultVal = self._options.paste.defaultName;
return self._options.showPrompt(message, defaultVal);
};
},
_fileOrBlobRejected: function(id, name) {
this._totalFilesInBatch -= 1;
this._parent.prototype._fileOrBlobRejected.apply(this, arguments);
},
_prepareItemsForUpload: function(items, params, endpoint) {
this._totalFilesInBatch = items.length;
this._filesInBatchAddedToUi = 0;
this._parent.prototype._prepareItemsForUpload.apply(this, arguments);
},
_maybeUpdateThumbnail: function(fileId) {
var thumbnailUrl = this._thumbnailUrls[fileId], fileStatus = this.getUploads({
id: fileId
}).status;
if (fileStatus !== qq.status.DELETED && (thumbnailUrl || this._options.thumbnails.placeholders.waitUntilResponse || !qq.supportedFeatures.imagePreviews)) {
this._templating.updateThumbnail(fileId, thumbnailUrl, this._options.thumbnails.customResizer);
}
},
_addCannedFile: function(sessionData) {
var id = this._parent.prototype._addCannedFile.apply(this, arguments);
this._addToList(id, this.getName(id), true);
this._templating.hideSpinner(id);
this._templating.hideCancel(id);
this._markFileAsSuccessful(id);
return id;
},
_setSize: function(id, newSize) {
this._parent.prototype._setSize.apply(this, arguments);
this._templating.updateSize(id, this._formatSize(newSize));
},
_sessionRequestComplete: function() {
this._templating.addCacheToDom();
this._parent.prototype._sessionRequestComplete.apply(this, arguments);
}
};
})();
qq.FineUploader = function(o, namespace) {
"use strict";
var self = this;
this._parent = namespace ? qq[namespace].FineUploaderBasic : qq.FineUploaderBasic;
this._parent.apply(this, arguments);
qq.extend(this._options, {
element: null,
button: null,
listElement: null,
dragAndDrop: {
extraDropzones: [],
reportDirectoryPaths: false
},
text: {
formatProgress: "{percent}% of {total_size}",
failUpload: "Upload failed",
waitingForResponse: "Processing...",
paused: "Paused"
},
template: "qq-template",
classes: {
retrying: "qq-upload-retrying",
retryable: "qq-upload-retryable",
success: "qq-upload-success",
fail: "qq-upload-fail",
editable: "qq-editable",
hide: "qq-hide",
dropActive: "qq-upload-drop-area-active"
},
failedUploadTextDisplay: {
mode: "default",
responseProperty: "error",
enableTooltip: true
},
messages: {
tooManyFilesError: "You may only drop one file",
unsupportedBrowser: "Unrecoverable error - this browser does not permit file uploading of any kind."
},
retry: {
showAutoRetryNote: true,
autoRetryNote: "Retrying {retryNum}/{maxAuto}..."
},
deleteFile: {
forceConfirm: false,
confirmMessage: "Are you sure you want to delete {filename}?",
deletingStatusText: "Deleting...",
deletingFailedText: "Delete failed"
},
display: {
fileSizeOnSubmit: false,
prependFiles: false
},
paste: {
promptForName: false,
namePromptMessage: "Please name this image"
},
thumbnails: {
customResizer: null,
maxCount: 0,
placeholders: {
waitUntilResponse: false,
notAvailablePath: null,
waitingPath: null
},
timeBetweenThumbs: 750
},
scaling: {
hideScaled: false
},
showMessage: function(message) {
if (self._templating.hasDialog("alert")) {
return self._templating.showDialog("alert", message);
} else {
setTimeout(function() {
window.alert(message);
}, 0);
}
},
showConfirm: function(message) {
if (self._templating.hasDialog("confirm")) {
return self._templating.showDialog("confirm", message);
} else {
return window.confirm(message);
}
},
showPrompt: function(message, defaultValue) {
if (self._templating.hasDialog("prompt")) {
return self._templating.showDialog("prompt", message, defaultValue);
} else {
return window.prompt(message, defaultValue);
}
}
}, true);
qq.extend(this._options, o, true);
this._templating = new qq.Templating({
log: qq.bind(this.log, this),
templateIdOrEl: this._options.template,
containerEl: this._options.element,
fileContainerEl: this._options.listElement,
button: this._options.button,
imageGenerator: this._imageGenerator,
classes: {
hide: this._options.classes.hide,
editable: this._options.classes.editable
},
limits: {
maxThumbs: this._options.thumbnails.maxCount,
timeBetweenThumbs: this._options.thumbnails.timeBetweenThumbs
},
placeholders: {
waitUntilUpdate: this._options.thumbnails.placeholders.waitUntilResponse,
thumbnailNotAvailable: this._options.thumbnails.placeholders.notAvailablePath,
waitingForThumbnail: this._options.thumbnails.placeholders.waitingPath
},
text: this._options.text
});
if (this._options.workarounds.ios8SafariUploads && qq.ios800() && qq.iosSafari()) {
this._templating.renderFailure(this._options.messages.unsupportedBrowserIos8Safari);
} else if (!qq.supportedFeatures.uploading || this._options.cors.expected && !qq.supportedFeatures.uploadCors) {
this._templating.renderFailure(this._options.messages.unsupportedBrowser);
} else {
this._wrapCallbacks();
this._templating.render();
this._classes = this._options.classes;
if (!this._options.button && this._templating.getButton()) {
this._defaultButtonId = this._createUploadButton({
element: this._templating.getButton(),
title: this._options.text.fileInputTitle
}).getButtonId();
}
this._setupClickAndEditEventHandlers();
if (qq.DragAndDrop && qq.supportedFeatures.fileDrop) {
this._dnd = this._setupDragAndDrop();
}
if (this._options.paste.targetElement && this._options.paste.promptForName) {
if (qq.PasteSupport) {
this._setupPastePrompt();
} else {
this.log("Paste support module not found.", "error");
}
}
this._totalFilesInBatch = 0;
this._filesInBatchAddedToUi = 0;
}
};
qq.extend(qq.FineUploader.prototype, qq.basePublicApi);
qq.extend(qq.FineUploader.prototype, qq.basePrivateApi);
qq.extend(qq.FineUploader.prototype, qq.uiPublicApi);
qq.extend(qq.FineUploader.prototype, qq.uiPrivateApi);
qq.Templating = function(spec) {
"use strict";
var FILE_ID_ATTR = "qq-file-id", FILE_CLASS_PREFIX = "qq-file-id-", THUMBNAIL_MAX_SIZE_ATTR = "qq-max-size", THUMBNAIL_SERVER_SCALE_ATTR = "qq-server-scale", HIDE_DROPZONE_ATTR = "qq-hide-dropzone", DROPZPONE_TEXT_ATTR = "qq-drop-area-text", IN_PROGRESS_CLASS = "qq-in-progress", HIDDEN_FOREVER_CLASS = "qq-hidden-forever", fileBatch = {
content: document.createDocumentFragment(),
map: {}
}, isCancelDisabled = false, generatedThumbnails = 0, thumbnailQueueMonitorRunning = false, thumbGenerationQueue = [], thumbnailMaxSize = -1, options = {
log: null,
limits: {
maxThumbs: 0,
timeBetweenThumbs: 750
},
templateIdOrEl: "qq-template",
containerEl: null,
fileContainerEl: null,
button: null,
imageGenerator: null,
classes: {
hide: "qq-hide",
editable: "qq-editable"
},
placeholders: {
waitUntilUpdate: false,
thumbnailNotAvailable: null,
waitingForThumbnail: null
},
text: {
paused: "Paused"
}
}, selectorClasses = {
button: "qq-upload-button-selector",
alertDialog: "qq-alert-dialog-selector",
dialogCancelButton: "qq-cancel-button-selector",
confirmDialog: "qq-confirm-dialog-selector",
dialogMessage: "qq-dialog-message-selector",
dialogOkButton: "qq-ok-button-selector",
promptDialog: "qq-prompt-dialog-selector",
uploader: "qq-uploader-selector",
drop: "qq-upload-drop-area-selector",
list: "qq-upload-list-selector",
progressBarContainer: "qq-progress-bar-container-selector",
progressBar: "qq-progress-bar-selector",
totalProgressBarContainer: "qq-total-progress-bar-container-selector",
totalProgressBar: "qq-total-progress-bar-selector",
file: "qq-upload-file-selector",
spinner: "qq-upload-spinner-selector",
size: "qq-upload-size-selector",
cancel: "qq-upload-cancel-selector",
pause: "qq-upload-pause-selector",
continueButton: "qq-upload-continue-selector",
deleteButton: "qq-upload-delete-selector",
retry: "qq-upload-retry-selector",
statusText: "qq-upload-status-text-selector",
editFilenameInput: "qq-edit-filename-selector",
editNameIcon: "qq-edit-filename-icon-selector",
dropText: "qq-upload-drop-area-text-selector",
dropProcessing: "qq-drop-processing-selector",
dropProcessingSpinner: "qq-drop-processing-spinner-selector",
thumbnail: "qq-thumbnail-selector"
}, previewGeneration = {}, cachedThumbnailNotAvailableImg = new qq.Promise(), cachedWaitingForThumbnailImg = new qq.Promise(), log, isEditElementsExist, isRetryElementExist, templateDom, container, fileList, showThumbnails, serverScale, cacheThumbnailPlaceholders = function() {
var notAvailableUrl = options.placeholders.thumbnailNotAvailable, waitingUrl = options.placeholders.waitingForThumbnail, spec = {
maxSize: thumbnailMaxSize,
scale: serverScale
};
if (showThumbnails) {
if (notAvailableUrl) {
options.imageGenerator.generate(notAvailableUrl, new Image(), spec).then(function(updatedImg) {
cachedThumbnailNotAvailableImg.success(updatedImg);
}, function() {
cachedThumbnailNotAvailableImg.failure();
log("Problem loading 'not available' placeholder image at " + notAvailableUrl, "error");
});
} else {
cachedThumbnailNotAvailableImg.failure();
}
if (waitingUrl) {
options.imageGenerator.generate(waitingUrl, new Image(), spec).then(function(updatedImg) {
cachedWaitingForThumbnailImg.success(updatedImg);
}, function() {
cachedWaitingForThumbnailImg.failure();
log("Problem loading 'waiting for thumbnail' placeholder image at " + waitingUrl, "error");
});
} else {
cachedWaitingForThumbnailImg.failure();
}
}
}, displayWaitingImg = function(thumbnail) {
var waitingImgPlacement = new qq.Promise();
cachedWaitingForThumbnailImg.then(function(img) {
maybeScalePlaceholderViaCss(img, thumbnail);
if (!thumbnail.src) {
thumbnail.src = img.src;
thumbnail.onload = function() {
thumbnail.onload = null;
show(thumbnail);
waitingImgPlacement.success();
};
} else {
waitingImgPlacement.success();
}
}, function() {
hide(thumbnail);
waitingImgPlacement.success();
});
return waitingImgPlacement;
}, generateNewPreview = function(id, blob, spec) {
var thumbnail = getThumbnail(id);
log("Generating new thumbnail for " + id);
blob.qqThumbnailId = id;
return options.imageGenerator.generate(blob, thumbnail, spec).then(function() {
generatedThumbnails++;
show(thumbnail);
previewGeneration[id].success();
}, function() {
previewGeneration[id].failure();
if (!options.placeholders.waitUntilUpdate) {
maybeSetDisplayNotAvailableImg(id, thumbnail);
}
});
}, generateNextQueuedPreview = function() {
if (thumbGenerationQueue.length) {
thumbnailQueueMonitorRunning = true;
var queuedThumbRequest = thumbGenerationQueue.shift();
if (queuedThumbRequest.update) {
processUpdateQueuedPreviewRequest(queuedThumbRequest);
} else {
processNewQueuedPreviewRequest(queuedThumbRequest);
}
} else {
thumbnailQueueMonitorRunning = false;
}
}, getCancel = function(id) {
return getTemplateEl(getFile(id), selectorClasses.cancel);
}, getContinue = function(id) {
return getTemplateEl(getFile(id), selectorClasses.continueButton);
}, getDialog = function(type) {
return getTemplateEl(container, selectorClasses[type + "Dialog"]);
}, getDelete = function(id) {
return getTemplateEl(getFile(id), selectorClasses.deleteButton);
}, getDropProcessing = function() {
return getTemplateEl(container, selectorClasses.dropProcessing);
}, getEditIcon = function(id) {
return getTemplateEl(getFile(id), selectorClasses.editNameIcon);
}, getFile = function(id) {
return fileBatch.map[id] || qq(fileList).getFirstByClass(FILE_CLASS_PREFIX + id);
}, getFilename = function(id) {
return getTemplateEl(getFile(id), selectorClasses.file);
}, getPause = function(id) {
return getTemplateEl(getFile(id), selectorClasses.pause);
}, getProgress = function(id) {
if (id == null) {
return getTemplateEl(container, selectorClasses.totalProgressBarContainer) || getTemplateEl(container, selectorClasses.totalProgressBar);
}
return getTemplateEl(getFile(id), selectorClasses.progressBarContainer) || getTemplateEl(getFile(id), selectorClasses.progressBar);
}, getRetry = function(id) {
return getTemplateEl(getFile(id), selectorClasses.retry);
}, getSize = function(id) {
return getTemplateEl(getFile(id), selectorClasses.size);
}, getSpinner = function(id) {
return getTemplateEl(getFile(id), selectorClasses.spinner);
}, getTemplateEl = function(context, cssClass) {
return context && qq(context).getFirstByClass(cssClass);
}, getThumbnail = function(id) {
return showThumbnails && getTemplateEl(getFile(id), selectorClasses.thumbnail);
}, hide = function(el) {
el && qq(el).addClass(options.classes.hide);
}, maybeScalePlaceholderViaCss = function(placeholder, thumbnail) {
var maxWidth = placeholder.style.maxWidth, maxHeight = placeholder.style.maxHeight;
if (maxHeight && maxWidth && !thumbnail.style.maxWidth && !thumbnail.style.maxHeight) {
qq(thumbnail).css({
maxWidth: maxWidth,
maxHeight: maxHeight
});
}
}, maybeSetDisplayNotAvailableImg = function(id, thumbnail) {
var previewing = previewGeneration[id] || new qq.Promise().failure(), notAvailableImgPlacement = new qq.Promise();
cachedThumbnailNotAvailableImg.then(function(img) {
previewing.then(function() {
notAvailableImgPlacement.success();
}, function() {
maybeScalePlaceholderViaCss(img, thumbnail);
thumbnail.onload = function() {
thumbnail.onload = null;
notAvailableImgPlacement.success();
};
thumbnail.src = img.src;
show(thumbnail);
});
});
return notAvailableImgPlacement;
}, parseAndGetTemplate = function() {
var scriptEl, scriptHtml, fileListNode, tempTemplateEl, fileListEl, defaultButton, dropArea, thumbnail, dropProcessing, dropTextEl, uploaderEl;
log("Parsing template");
if (options.templateIdOrEl == null) {
throw new Error("You MUST specify either a template element or ID!");
}
if (qq.isString(options.templateIdOrEl)) {
scriptEl = document.getElementById(options.templateIdOrEl);
if (scriptEl === null) {
throw new Error(qq.format("Cannot find template script at ID '{}'!", options.templateIdOrEl));
}
scriptHtml = scriptEl.innerHTML;
} else {
if (options.templateIdOrEl.innerHTML === undefined) {
throw new Error("You have specified an invalid value for the template option! " + "It must be an ID or an Element.");
}
scriptHtml = options.templateIdOrEl.innerHTML;
}
scriptHtml = qq.trimStr(scriptHtml);
tempTemplateEl = document.createElement("div");
tempTemplateEl.appendChild(qq.toElement(scriptHtml));
uploaderEl = qq(tempTemplateEl).getFirstByClass(selectorClasses.uploader);
if (options.button) {
defaultButton = qq(tempTemplateEl).getFirstByClass(selectorClasses.button);
if (defaultButton) {
qq(defaultButton).remove();
}
}
if (!qq.DragAndDrop || !qq.supportedFeatures.fileDrop) {
dropProcessing = qq(tempTemplateEl).getFirstByClass(selectorClasses.dropProcessing);
if (dropProcessing) {
qq(dropProcessing).remove();
}
}
dropArea = qq(tempTemplateEl).getFirstByClass(selectorClasses.drop);
if (dropArea && !qq.DragAndDrop) {
log("DnD module unavailable.", "info");
qq(dropArea).remove();
}
if (!qq.supportedFeatures.fileDrop) {
uploaderEl.removeAttribute(DROPZPONE_TEXT_ATTR);
if (dropArea && qq(dropArea).hasAttribute(HIDE_DROPZONE_ATTR)) {
qq(dropArea).css({
display: "none"
});
}
} else if (qq(uploaderEl).hasAttribute(DROPZPONE_TEXT_ATTR) && dropArea) {
dropTextEl = qq(dropArea).getFirstByClass(selectorClasses.dropText);
dropTextEl && qq(dropTextEl).remove();
}
thumbnail = qq(tempTemplateEl).getFirstByClass(selectorClasses.thumbnail);
if (!showThumbnails) {
thumbnail && qq(thumbnail).remove();
} else if (thumbnail) {
thumbnailMaxSize = parseInt(thumbnail.getAttribute(THUMBNAIL_MAX_SIZE_ATTR));
thumbnailMaxSize = thumbnailMaxSize > 0 ? thumbnailMaxSize : null;
serverScale = qq(thumbnail).hasAttribute(THUMBNAIL_SERVER_SCALE_ATTR);
}
showThumbnails = showThumbnails && thumbnail;
isEditElementsExist = qq(tempTemplateEl).getByClass(selectorClasses.editFilenameInput).length > 0;
isRetryElementExist = qq(tempTemplateEl).getByClass(selectorClasses.retry).length > 0;
fileListNode = qq(tempTemplateEl).getFirstByClass(selectorClasses.list);
if (fileListNode == null) {
throw new Error("Could not find the file list container in the template!");
}
fileListEl = fileListNode.children[0].cloneNode(true);
fileListNode.innerHTML = "";
if (tempTemplateEl.getElementsByTagName("DIALOG").length) {
document.createElement("dialog");
}
log("Template parsing complete");
return {
template: tempTemplateEl,
fileTemplate: fileListEl
};
}, prependFile = function(el, index, fileList) {
var parentEl = fileList, beforeEl = parentEl.firstChild;
if (index > 0) {
beforeEl = qq(parentEl).children()[index].nextSibling;
}
parentEl.insertBefore(el, beforeEl);
}, processNewQueuedPreviewRequest = function(queuedThumbRequest) {
var id = queuedThumbRequest.id, optFileOrBlob = queuedThumbRequest.optFileOrBlob, relatedThumbnailId = optFileOrBlob && optFileOrBlob.qqThumbnailId, thumbnail = getThumbnail(id), spec = {
customResizeFunction: queuedThumbRequest.customResizeFunction,
maxSize: thumbnailMaxSize,
orient: true,
scale: true
};
if (qq.supportedFeatures.imagePreviews) {
if (thumbnail) {
if (options.limits.maxThumbs && options.limits.maxThumbs <= generatedThumbnails) {
maybeSetDisplayNotAvailableImg(id, thumbnail);
generateNextQueuedPreview();
} else {
displayWaitingImg(thumbnail).done(function() {
previewGeneration[id] = new qq.Promise();
previewGeneration[id].done(function() {
setTimeout(generateNextQueuedPreview, options.limits.timeBetweenThumbs);
});
if (relatedThumbnailId != null) {
useCachedPreview(id, relatedThumbnailId);
} else {
generateNewPreview(id, optFileOrBlob, spec);
}
});
}
} else {
generateNextQueuedPreview();
}
} else if (thumbnail) {
displayWaitingImg(thumbnail);
generateNextQueuedPreview();
}
}, processUpdateQueuedPreviewRequest = function(queuedThumbRequest) {
var id = queuedThumbRequest.id, thumbnailUrl = queuedThumbRequest.thumbnailUrl, showWaitingImg = queuedThumbRequest.showWaitingImg, thumbnail = getThumbnail(id), spec = {
customResizeFunction: queuedThumbRequest.customResizeFunction,
scale: serverScale,
maxSize: thumbnailMaxSize
};
if (thumbnail) {
if (thumbnailUrl) {
if (options.limits.maxThumbs && options.limits.maxThumbs <= generatedThumbnails) {
maybeSetDisplayNotAvailableImg(id, thumbnail);
generateNextQueuedPreview();
} else {
if (showWaitingImg) {
displayWaitingImg(thumbnail);
}
return options.imageGenerator.generate(thumbnailUrl, thumbnail, spec).then(function() {
show(thumbnail);
generatedThumbnails++;
setTimeout(generateNextQueuedPreview, options.limits.timeBetweenThumbs);
}, function() {
maybeSetDisplayNotAvailableImg(id, thumbnail);
setTimeout(generateNextQueuedPreview, options.limits.timeBetweenThumbs);
});
}
} else {
maybeSetDisplayNotAvailableImg(id, thumbnail);
generateNextQueuedPreview();
}
}
}, setProgressBarWidth = function(id, percent) {
var bar = getProgress(id), progressBarSelector = id == null ? selectorClasses.totalProgressBar : selectorClasses.progressBar;
if (bar && !qq(bar).hasClass(progressBarSelector)) {
bar = qq(bar).getFirstByClass(progressBarSelector);
}
if (bar) {
qq(bar).css({
width: percent + "%"
});
bar.setAttribute("aria-valuenow", percent);
}
}, show = function(el) {
el && qq(el).removeClass(options.classes.hide);
}, useCachedPreview = function(targetThumbnailId, cachedThumbnailId) {
var targetThumbnail = getThumbnail(targetThumbnailId), cachedThumbnail = getThumbnail(cachedThumbnailId);
log(qq.format("ID {} is the same file as ID {}. Will use generated thumbnail from ID {} instead.", targetThumbnailId, cachedThumbnailId, cachedThumbnailId));
previewGeneration[cachedThumbnailId].then(function() {
generatedThumbnails++;
previewGeneration[targetThumbnailId].success();
log(qq.format("Now using previously generated thumbnail created for ID {} on ID {}.", cachedThumbnailId, targetThumbnailId));
targetThumbnail.src = cachedThumbnail.src;
show(targetThumbnail);
}, function() {
previewGeneration[targetThumbnailId].failure();
if (!options.placeholders.waitUntilUpdate) {
maybeSetDisplayNotAvailableImg(targetThumbnailId, targetThumbnail);
}
});
};
qq.extend(options, spec);
log = options.log;
if (!qq.supportedFeatures.imagePreviews) {
options.limits.timeBetweenThumbs = 0;
options.limits.maxThumbs = 0;
}
container = options.containerEl;
showThumbnails = options.imageGenerator !== undefined;
templateDom = parseAndGetTemplate();
cacheThumbnailPlaceholders();
qq.extend(this, {
render: function() {
log("Rendering template in DOM.");
generatedThumbnails = 0;
container.appendChild(templateDom.template.cloneNode(true));
hide(getDropProcessing());
this.hideTotalProgress();
fileList = options.fileContainerEl || getTemplateEl(container, selectorClasses.list);
log("Template rendering complete");
},
renderFailure: function(message) {
var cantRenderEl = qq.toElement(message);
container.innerHTML = "";
container.appendChild(cantRenderEl);
},
reset: function() {
this.render();
},
clearFiles: function() {
fileList.innerHTML = "";
},
disableCancel: function() {
isCancelDisabled = true;
},
addFile: function(id, name, prependInfo, hideForever, batch) {
var fileEl = templateDom.fileTemplate.cloneNode(true), fileNameEl = getTemplateEl(fileEl, selectorClasses.file), uploaderEl = getTemplateEl(container, selectorClasses.uploader), fileContainer = batch ? fileBatch.content : fileList, thumb;
if (batch) {
fileBatch.map[id] = fileEl;
}
qq(fileEl).addClass(FILE_CLASS_PREFIX + id);
uploaderEl.removeAttribute(DROPZPONE_TEXT_ATTR);
if (fileNameEl) {
qq(fileNameEl).setText(name);
fileNameEl.setAttribute("title", name);
}
fileEl.setAttribute(FILE_ID_ATTR, id);
if (prependInfo) {
prependFile(fileEl, prependInfo.index, fileContainer);
} else {
fileContainer.appendChild(fileEl);
}
if (hideForever) {
fileEl.style.display = "none";
qq(fileEl).addClass(HIDDEN_FOREVER_CLASS);
} else {
hide(getProgress(id));
hide(getSize(id));
hide(getDelete(id));
hide(getRetry(id));
hide(getPause(id));
hide(getContinue(id));
if (isCancelDisabled) {
this.hideCancel(id);
}
thumb = getThumbnail(id);
if (thumb && !thumb.src) {
cachedWaitingForThumbnailImg.then(function(waitingImg) {
thumb.src = waitingImg.src;
if (waitingImg.style.maxHeight && waitingImg.style.maxWidth) {
qq(thumb).css({
maxHeight: waitingImg.style.maxHeight,
maxWidth: waitingImg.style.maxWidth
});
}
show(thumb);
});
}
}
},
addFileToCache: function(id, name, prependInfo, hideForever) {
this.addFile(id, name, prependInfo, hideForever, true);
},
addCacheToDom: function() {
fileList.appendChild(fileBatch.content);
fileBatch.content = document.createDocumentFragment();
fileBatch.map = {};
},
removeFile: function(id) {
qq(getFile(id)).remove();
},
getFileId: function(el) {
var currentNode = el;
if (currentNode) {
while (currentNode.getAttribute(FILE_ID_ATTR) == null) {
currentNode = currentNode.parentNode;
}
return parseInt(currentNode.getAttribute(FILE_ID_ATTR));
}
},
getFileList: function() {
return fileList;
},
markFilenameEditable: function(id) {
var filename = getFilename(id);
filename && qq(filename).addClass(options.classes.editable);
},
updateFilename: function(id, name) {
var filenameEl = getFilename(id);
if (filenameEl) {
qq(filenameEl).setText(name);
filenameEl.setAttribute("title", name);
}
},
hideFilename: function(id) {
hide(getFilename(id));
},
showFilename: function(id) {
show(getFilename(id));
},
isFileName: function(el) {
return qq(el).hasClass(selectorClasses.file);
},
getButton: function() {
return options.button || getTemplateEl(container, selectorClasses.button);
},
hideDropProcessing: function() {
hide(getDropProcessing());
},
showDropProcessing: function() {
show(getDropProcessing());
},
getDropZone: function() {
return getTemplateEl(container, selectorClasses.drop);
},
isEditFilenamePossible: function() {
return isEditElementsExist;
},
hideRetry: function(id) {
hide(getRetry(id));
},
isRetryPossible: function() {
return isRetryElementExist;
},
showRetry: function(id) {
show(getRetry(id));
},
getFileContainer: function(id) {
return getFile(id);
},
showEditIcon: function(id) {
var icon = getEditIcon(id);
icon && qq(icon).addClass(options.classes.editable);
},
isHiddenForever: function(id) {
return qq(getFile(id)).hasClass(HIDDEN_FOREVER_CLASS);
},
hideEditIcon: function(id) {
var icon = getEditIcon(id);
icon && qq(icon).removeClass(options.classes.editable);
},
isEditIcon: function(el) {
return qq(el).hasClass(selectorClasses.editNameIcon, true);
},
getEditInput: function(id) {
return getTemplateEl(getFile(id), selectorClasses.editFilenameInput);
},
isEditInput: function(el) {
return qq(el).hasClass(selectorClasses.editFilenameInput, true);
},
updateProgress: function(id, loaded, total) {
var bar = getProgress(id), percent;
if (bar && total > 0) {
percent = Math.round(loaded / total * 100);
if (percent === 100) {
hide(bar);
} else {
show(bar);
}
setProgressBarWidth(id, percent);
}
},
updateTotalProgress: function(loaded, total) {
this.updateProgress(null, loaded, total);
},
hideProgress: function(id) {
var bar = getProgress(id);
bar && hide(bar);
},
hideTotalProgress: function() {
this.hideProgress();
},
resetProgress: function(id) {
setProgressBarWidth(id, 0);
this.hideTotalProgress(id);
},
resetTotalProgress: function() {
this.resetProgress();
},
showCancel: function(id) {
if (!isCancelDisabled) {
var cancel = getCancel(id);
cancel && qq(cancel).removeClass(options.classes.hide);
}
},
hideCancel: function(id) {
hide(getCancel(id));
},
isCancel: function(el) {
return qq(el).hasClass(selectorClasses.cancel, true);
},
allowPause: function(id) {
show(getPause(id));
hide(getContinue(id));
},
uploadPaused: function(id) {
this.setStatusText(id, options.text.paused);
this.allowContinueButton(id);
hide(getSpinner(id));
},
hidePause: function(id) {
hide(getPause(id));
},
isPause: function(el) {
return qq(el).hasClass(selectorClasses.pause, true);
},
isContinueButton: function(el) {
return qq(el).hasClass(selectorClasses.continueButton, true);
},
allowContinueButton: function(id) {
show(getContinue(id));
hide(getPause(id));
},
uploadContinued: function(id) {
this.setStatusText(id, "");
this.allowPause(id);
show(getSpinner(id));
},
showDeleteButton: function(id) {
show(getDelete(id));
},
hideDeleteButton: function(id) {
hide(getDelete(id));
},
isDeleteButton: function(el) {
return qq(el).hasClass(selectorClasses.deleteButton, true);
},
isRetry: function(el) {
return qq(el).hasClass(selectorClasses.retry, true);
},
updateSize: function(id, text) {
var size = getSize(id);
if (size) {
show(size);
qq(size).setText(text);
}
},
setStatusText: function(id, text) {
var textEl = getTemplateEl(getFile(id), selectorClasses.statusText);
if (textEl) {
if (text == null) {
qq(textEl).clearText();
} else {
qq(textEl).setText(text);
}
}
},
hideSpinner: function(id) {
qq(getFile(id)).removeClass(IN_PROGRESS_CLASS);
hide(getSpinner(id));
},
showSpinner: function(id) {
qq(getFile(id)).addClass(IN_PROGRESS_CLASS);
show(getSpinner(id));
},
generatePreview: function(id, optFileOrBlob, customResizeFunction) {
if (!this.isHiddenForever(id)) {
thumbGenerationQueue.push({
id: id,
customResizeFunction: customResizeFunction,
optFileOrBlob: optFileOrBlob
});
!thumbnailQueueMonitorRunning && generateNextQueuedPreview();
}
},
updateThumbnail: function(id, thumbnailUrl, showWaitingImg, customResizeFunction) {
if (!this.isHiddenForever(id)) {
thumbGenerationQueue.push({
customResizeFunction: customResizeFunction,
update: true,
id: id,
thumbnailUrl: thumbnailUrl,
showWaitingImg: showWaitingImg
});
!thumbnailQueueMonitorRunning && generateNextQueuedPreview();
}
},
hasDialog: function(type) {
return qq.supportedFeatures.dialogElement && !!getDialog(type);
},
showDialog: function(type, message, defaultValue) {
var dialog = getDialog(type), messageEl = getTemplateEl(dialog, selectorClasses.dialogMessage), inputEl = dialog.getElementsByTagName("INPUT")[0], cancelBtn = getTemplateEl(dialog, selectorClasses.dialogCancelButton), okBtn = getTemplateEl(dialog, selectorClasses.dialogOkButton), promise = new qq.Promise(), closeHandler = function() {
cancelBtn.removeEventListener("click", cancelClickHandler);
okBtn && okBtn.removeEventListener("click", okClickHandler);
promise.failure();
}, cancelClickHandler = function() {
cancelBtn.removeEventListener("click", cancelClickHandler);
dialog.close();
}, okClickHandler = function() {
dialog.removeEventListener("close", closeHandler);
okBtn.removeEventListener("click", okClickHandler);
dialog.close();
promise.success(inputEl && inputEl.value);
};
dialog.addEventListener("close", closeHandler);
cancelBtn.addEventListener("click", cancelClickHandler);
okBtn && okBtn.addEventListener("click", okClickHandler);
if (inputEl) {
inputEl.value = defaultValue;
}
messageEl.textContent = message;
dialog.showModal();
return promise;
}
});
};
qq.UiEventHandler = function(s, protectedApi) {
"use strict";
var disposer = new qq.DisposeSupport(), spec = {
eventType: "click",
attachTo: null,
onHandled: function(target, event) {}
};
qq.extend(this, {
addHandler: function(element) {
addHandler(element);
},
dispose: function() {
disposer.dispose();
}
});
function addHandler(element) {
disposer.attach(element, spec.eventType, function(event) {
event = event || window.event;
var target = event.target || event.srcElement;
spec.onHandled(target, event);
});
}
qq.extend(protectedApi, {
getFileIdFromItem: function(item) {
return item.qqFileId;
},
getDisposeSupport: function() {
return disposer;
}
});
qq.extend(spec, s);
if (spec.attachTo) {
addHandler(spec.attachTo);
}
};
qq.FileButtonsClickHandler = function(s) {
"use strict";
var inheritedInternalApi = {}, spec = {
templating: null,
log: function(message, lvl) {},
onDeleteFile: function(fileId) {},
onCancel: function(fileId) {},
onRetry: function(fileId) {},
onPause: function(fileId) {},
onContinue: function(fileId) {},
onGetName: function(fileId) {}
}, buttonHandlers = {
cancel: function(id) {
spec.onCancel(id);
},
retry: function(id) {
spec.onRetry(id);
},
deleteButton: function(id) {
spec.onDeleteFile(id);
},
pause: function(id) {
spec.onPause(id);
},
continueButton: function(id) {
spec.onContinue(id);
}
};
function examineEvent(target, event) {
qq.each(buttonHandlers, function(buttonType, handler) {
var firstLetterCapButtonType = buttonType.charAt(0).toUpperCase() + buttonType.slice(1), fileId;
if (spec.templating["is" + firstLetterCapButtonType](target)) {
fileId = spec.templating.getFileId(target);
qq.preventDefault(event);
spec.log(qq.format("Detected valid file button click event on file '{}', ID: {}.", spec.onGetName(fileId), fileId));
handler(fileId);
return false;
}
});
}
qq.extend(spec, s);
spec.eventType = "click";
spec.onHandled = examineEvent;
spec.attachTo = spec.templating.getFileList();
qq.extend(this, new qq.UiEventHandler(spec, inheritedInternalApi));
};
qq.FilenameClickHandler = function(s) {
"use strict";
var inheritedInternalApi = {}, spec = {
templating: null,
log: function(message, lvl) {},
classes: {
file: "qq-upload-file",
editNameIcon: "qq-edit-filename-icon"
},
onGetUploadStatus: function(fileId) {},
onGetName: function(fileId) {}
};
qq.extend(spec, s);
function examineEvent(target, event) {
if (spec.templating.isFileName(target) || spec.templating.isEditIcon(target)) {
var fileId = spec.templating.getFileId(target), status = spec.onGetUploadStatus(fileId);
if (status === qq.status.SUBMITTED) {
spec.log(qq.format("Detected valid filename click event on file '{}', ID: {}.", spec.onGetName(fileId), fileId));
qq.preventDefault(event);
inheritedInternalApi.handleFilenameEdit(fileId, target, true);
}
}
}
spec.eventType = "click";
spec.onHandled = examineEvent;
qq.extend(this, new qq.FilenameEditHandler(spec, inheritedInternalApi));
};
qq.FilenameInputFocusInHandler = function(s, inheritedInternalApi) {
"use strict";
var spec = {
templating: null,
onGetUploadStatus: function(fileId) {},
log: function(message, lvl) {}
};
if (!inheritedInternalApi) {
inheritedInternalApi = {};
}
function handleInputFocus(target, event) {
if (spec.templating.isEditInput(target)) {
var fileId = spec.templating.getFileId(target), status = spec.onGetUploadStatus(fileId);
if (status === qq.status.SUBMITTED) {
spec.log(qq.format("Detected valid filename input focus event on file '{}', ID: {}.", spec.onGetName(fileId), fileId));
inheritedInternalApi.handleFilenameEdit(fileId, target);
}
}
}
spec.eventType = "focusin";
spec.onHandled = handleInputFocus;
qq.extend(spec, s);
qq.extend(this, new qq.FilenameEditHandler(spec, inheritedInternalApi));
};
qq.FilenameInputFocusHandler = function(spec) {
"use strict";
spec.eventType = "focus";
spec.attachTo = null;
qq.extend(this, new qq.FilenameInputFocusInHandler(spec, {}));
};
qq.FilenameEditHandler = function(s, inheritedInternalApi) {
"use strict";
var spec = {
templating: null,
log: function(message, lvl) {},
onGetUploadStatus: function(fileId) {},
onGetName: function(fileId) {},
onSetName: function(fileId, newName) {},
onEditingStatusChange: function(fileId, isEditing) {}
};
function getFilenameSansExtension(fileId) {
var filenameSansExt = spec.onGetName(fileId), extIdx = filenameSansExt.lastIndexOf(".");
if (extIdx > 0) {
filenameSansExt = filenameSansExt.substr(0, extIdx);
}
return filenameSansExt;
}
function getOriginalExtension(fileId) {
var origName = spec.onGetName(fileId);
return qq.getExtension(origName);
}
function handleNameUpdate(newFilenameInputEl, fileId) {
var newName = newFilenameInputEl.value, origExtension;
if (newName !== undefined && qq.trimStr(newName).length > 0) {
origExtension = getOriginalExtension(fileId);
if (origExtension !== undefined) {
newName = newName + "." + origExtension;
}
spec.onSetName(fileId, newName);
}
spec.onEditingStatusChange(fileId, false);
}
function registerInputBlurHandler(inputEl, fileId) {
inheritedInternalApi.getDisposeSupport().attach(inputEl, "blur", function() {
handleNameUpdate(inputEl, fileId);
});
}
function registerInputEnterKeyHandler(inputEl, fileId) {
inheritedInternalApi.getDisposeSupport().attach(inputEl, "keyup", function(event) {
var code = event.keyCode || event.which;
if (code === 13) {
handleNameUpdate(inputEl, fileId);
}
});
}
qq.extend(spec, s);
spec.attachTo = spec.templating.getFileList();
qq.extend(this, new qq.UiEventHandler(spec, inheritedInternalApi));
qq.extend(inheritedInternalApi, {
handleFilenameEdit: function(id, target, focusInput) {
var newFilenameInputEl = spec.templating.getEditInput(id);
spec.onEditingStatusChange(id, true);
newFilenameInputEl.value = getFilenameSansExtension(id);
if (focusInput) {
newFilenameInputEl.focus();
}
registerInputBlurHandler(newFilenameInputEl, id);
registerInputEnterKeyHandler(newFilenameInputEl, id);
}
});
};
})(window);
//# sourceMappingURL=fine-uploader.js.map
| overleaf/web/frontend/js/vendor/libs/fineuploader-5.15.4.js/0 | {
"file_path": "overleaf/web/frontend/js/vendor/libs/fineuploader-5.15.4.js",
"repo_id": "overleaf",
"token_count": 188341
} | 532 |
export const rootFolderBase = [
{
_id: '5e74f1a7ce17ae0041dfd054',
name: 'rootFolder',
folders: [
{
_id: '5f638e58b652df0026c5c8f5',
name: 'a folder',
folders: [
{
_id: '5f956f62700e19000177daa0',
name: 'sub folder',
folders: [],
fileRefs: [],
docs: [],
},
],
fileRefs: [
{ _id: '5cffb9d93da45d3995d05362', name: 'file-in-a-folder.pdf' },
],
docs: [
{ _id: '5f46786322d556004e72a555', name: 'doc-in-a-folder.tex' },
],
},
{
_id: '5f638e68b652df0026c5c8f6',
name: 'another folder',
folders: [],
fileRefs: [],
docs: [],
},
],
fileRefs: [{ _id: '5f11c78e0924770027412a67', name: 'univers.jpg' }],
docs: [
{ _id: '5e74f1a7ce17ae0041dfd056', name: 'main.tex' },
{ _id: '5f46789522d556004e72a556', name: 'perso.bib' },
{
_id: '5da532e29019e800015321c6',
name: 'zotero.bib',
linkedFileData: { provider: 'zotero' },
},
],
},
]
| overleaf/web/frontend/stories/fixtures/file-tree-base.js/0 | {
"file_path": "overleaf/web/frontend/stories/fixtures/file-tree-base.js",
"repo_id": "overleaf",
"token_count": 690
} | 533 |
import PreviewLogsPane from '../js/features/preview/components/preview-logs-pane'
import { EditorProvider } from '../js/shared/context/editor-context'
import { UserProvider } from '../js/shared/context/user-context'
import useFetchMock from './hooks/use-fetch-mock'
import { IdeProvider } from '../js/shared/context/ide-context'
export const TimedOutError = args => {
useFetchMock(fetchMock => {
fetchMock.post('express:/event/:key', 202)
})
const ide = {
$scope: {
$watch: () => () => null,
project: {
owner: {
_id: window.user.id,
},
features: {
compileGroup: 'standard',
},
},
},
}
return (
<UserProvider>
<IdeProvider ide={ide}>
<EditorProvider settings={{}}>
<PreviewLogsPane {...args} />
</EditorProvider>
</IdeProvider>
</UserProvider>
)
}
TimedOutError.args = {
errors: {
timedout: {},
},
}
export const TimedOutErrorWithPriorityCompile = args => {
useFetchMock(fetchMock => {
fetchMock.post('express:/event/:key', 202)
})
const ide = {
$scope: {
$watch: () => () => null,
project: {
owner: {
_id: window.user.id,
},
features: {
compileGroup: 'priority',
},
},
},
}
return (
<UserProvider>
<IdeProvider ide={ide}>
<EditorProvider settings={{}}>
<PreviewLogsPane {...args} />
</EditorProvider>
</IdeProvider>
</UserProvider>
)
}
TimedOutErrorWithPriorityCompile.args = {
errors: {
timedout: {},
},
}
export default {
title: 'Preview Logs / Pane',
component: PreviewLogsPane,
argTypes: {
onLogEntryLocationClick: { action: 'log entry location' },
onClearCache: { action: 'clear cache' },
},
}
| overleaf/web/frontend/stories/preview-logs-pane.stories.js/0 | {
"file_path": "overleaf/web/frontend/stories/preview-logs-pane.stories.js",
"repo_id": "overleaf",
"token_count": 794
} | 534 |
/*
v2
Blog Pages
*/
.blog {
img {
max-width: 100%;
}
.blog-list {
list-style: none;
margin: 0;
padding: 0;
.blog-post {
margin: 0 0 @margin-lg 0;
}
.card-header {
margin-bottom: @margin-sm;
padding: 0;
}
p {
margin-top: 12.5px;
}
}
.tags {
margin-top: @margin-md;
.tags-list {
list-style: none;
padding: 0;
}
li {
display: inline-block;
margin: 0;
padding: 0 @padding-sm @padding-sm 0;
}
a {
font-size: small;
}
}
pre {
border: 1px solid @ol-blue-gray-2;
border-radius: @border-radius-base;
padding: @padding-sm;
}
.figure {
background-color: #ffffff;
border: 1px solid @ol-blue-gray-2;
display: inline-block;
margin: 0 auto @margin-sm 0;
max-width: 100%;
padding: @padding-sm;
.figure-caption {
padding-top: @padding-sm;
font-size: small;
}
}
}
| overleaf/web/frontend/stylesheets/app/blog-posts.less/0 | {
"file_path": "overleaf/web/frontend/stylesheets/app/blog-posts.less",
"repo_id": "overleaf",
"token_count": 475
} | 535 |
.outline-container {
width: 100%;
background-color: @file-tree-bg;
}
.outline-pane {
display: flex;
flex-flow: column;
height: 100%;
font-size: @font-size-small;
color: @file-tree-item-color;
}
.outline-pane-disabled {
opacity: 0.5;
}
.outline-header {
.toolbar-small-mixin;
.toolbar-alt-mixin;
display: flex;
flex-shrink: 0;
border-bottom: 1px solid @toolbar-border-color;
border-top: 1px solid @toolbar-border-color;
}
.outline-header-expand-collapse-btn {
display: flex;
align-items: center;
background-color: transparent;
border: 0;
padding: 0 (@outline-h-rhythm * 0.25) 0 0;
font-size: inherit;
vertical-align: inherit;
color: @file-tree-item-color;
flex: 1 0 100%;
text-align: left;
white-space: nowrap;
box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1);
&:hover,
&:focus {
outline: 0;
}
&:hover {
background-color: @outline-header-hover-bg;
}
&:hover[disabled] {
background-color: transparent;
}
}
.outline-header-name {
display: inline-block;
font-family: @font-family-sans-serif;
font-size: @font-size-small;
color: @file-tree-item-color;
font-weight: 700;
margin: 0;
flex-grow: 1;
flex-shrink: 1;
overflow: hidden;
text-overflow: ellipsis;
}
.outline-body {
overflow-y: auto;
background-color: @file-tree-bg;
padding-right: @outline-h-rhythm * 0.25;
}
.outline-body-no-elements {
color: @outline-no-items-color;
text-align: center;
padding: @outline-v-rhythm @outline-h-rhythm (@outline-v-rhythm * 2);
margin-right: -(@outline-h-rhythm * 0.25);
}
.outline-body-link {
display: block;
color: @file-tree-item-color;
text-decoration: underline;
&:hover,
&:focus {
color: @file-tree-item-color;
text-decoration: underline;
}
}
.outline-item-list {
position: relative;
list-style: none;
padding-left: @outline-h-rhythm;
&::before {
content: '';
background-color: @outline-line-guide-color;
top: @outline-h-rhythm / 4;
bottom: @outline-h-rhythm / 4;
width: 1px;
left: (@outline-h-rhythm * 1.5);
position: absolute;
}
&.outline-item-list-root {
padding-left: 0;
&::before {
left: (@outline-h-rhythm * 0.5);
}
}
}
.outline-item-no-children {
padding-left: @outline-h-rhythm - @outline-item-h-padding;
}
.outline-item-row {
display: flex;
overflow: hidden;
white-space: nowrap;
}
.outline-item-expand-collapse-btn {
display: inline;
border: 0;
padding: 0;
font-size: inherit;
vertical-align: inherit;
position: relative;
z-index: 1;
background-color: @file-tree-bg;
color: @outline-expand-collapse-color;
margin-right: -(@outline-item-h-padding);
border-radius: @border-radius-base;
&:hover,
&:focus {
outline: 0;
}
&:hover {
background-color: @file-tree-item-hover-bg;
}
}
.outline-item-link {
display: inline;
color: @file-tree-item-color;
background-color: transparent;
border: 0;
position: relative;
z-index: 1;
padding: 0 @outline-item-h-padding;
line-height: @outline-v-rhythm;
border-radius: @border-radius-base;
overflow: hidden;
text-overflow: ellipsis;
text-align: left;
&:hover,
&:focus {
outline: 0;
background-color: @file-tree-item-hover-bg;
}
}
.outline-item-link-highlight {
background-color: @outline-highlight-bg;
}
.outline-caret-icon {
width: @outline-h-rhythm;
font-size: 17px;
text-align: center;
}
| overleaf/web/frontend/stylesheets/app/editor/outline.less/0 | {
"file_path": "overleaf/web/frontend/stylesheets/app/editor/outline.less",
"repo_id": "overleaf",
"token_count": 1435
} | 536 |
.project-invite-accept {
form {
padding-top: 15px;
}
margin-bottom: 30px;
}
.project-name-tooltip .tooltip-inner {
max-width: 80vw;
overflow: hidden;
text-overflow: ellipsis;
}
.project-invite-invalid {
.actions {
padding-top: 15px;
}
margin-bottom: 30px;
}
| overleaf/web/frontend/stylesheets/app/invite.less/0 | {
"file_path": "overleaf/web/frontend/stylesheets/app/invite.less",
"repo_id": "overleaf",
"token_count": 123
} | 537 |
.sprite-icon {
background-image: url('/img/sprite.png');
}
.sprite-icon-ko {
background-position: -0px -0px;
width: 24px;
height: 24px;
}
.sprite-icon-cn {
background-position: -0px -24px;
width: 24px;
height: 24px;
}
.sprite-icon-da {
background-position: -0px -48px;
width: 24px;
height: 24px;
}
.sprite-icon-de {
background-position: -0px -72px;
width: 24px;
height: 24px;
}
.sprite-icon-en {
background-position: -0px -96px;
width: 24px;
height: 24px;
}
.sprite-icon-es {
background-position: -0px -120px;
width: 24px;
height: 24px;
}
.sprite-icon-fi {
background-position: -0px -144px;
width: 24px;
height: 24px;
}
.sprite-icon-fr {
background-position: -0px -168px;
width: 24px;
height: 24px;
}
.sprite-icon-it {
background-position: -0px -192px;
width: 24px;
height: 24px;
}
.sprite-icon-ja {
background-position: -0px -216px;
width: 24px;
height: 24px;
}
.sprite-icon-cs {
background-position: -0px -240px;
width: 24px;
height: 24px;
}
.sprite-icon-nl {
background-position: -0px -264px;
width: 24px;
height: 24px;
}
.sprite-icon-no {
background-position: -0px -288px;
width: 24px;
height: 24px;
}
.sprite-icon-pl {
background-position: -0px -312px;
width: 24px;
height: 24px;
}
.sprite-icon-pt {
background-position: -0px -336px;
width: 24px;
height: 24px;
}
.sprite-icon-ru {
background-position: -0px -360px;
width: 24px;
height: 24px;
}
.sprite-icon-sv {
background-position: -0px -384px;
width: 24px;
height: 24px;
}
.sprite-icon-tr {
background-position: -0px -408px;
width: 24px;
height: 24px;
}
.sprite-icon-uk {
background-position: -0px -432px;
width: 24px;
height: 24px;
}
.sprite-icon-zh-CN {
background-position: -0px -456px;
width: 24px;
height: 24px;
}
| overleaf/web/frontend/stylesheets/app/sprites.less/0 | {
"file_path": "overleaf/web/frontend/stylesheets/app/sprites.less",
"repo_id": "overleaf",
"token_count": 788
} | 538 |
//
// Component animations
// --------------------------------------------------
// Heads up!
//
// We don't use the `.opacity()` mixin here since it causes a bug with text
// fields in IE7-8. Source: https://github.com/twitter/bootstrap/pull/3552.
.fade {
opacity: 0;
.transition(opacity 0.15s linear);
&.in {
opacity: 1;
}
}
.collapse {
display: none;
&.in {
display: block;
}
}
.collapsing {
position: relative;
height: 0;
overflow: hidden;
.transition(height 0.35s ease);
}
| overleaf/web/frontend/stylesheets/components/component-animations.less/0 | {
"file_path": "overleaf/web/frontend/stylesheets/components/component-animations.less",
"repo_id": "overleaf",
"token_count": 184
} | 539 |
//
// List groups
// --------------------------------------------------
// Base class
//
// Easily usable on <ul>, <ol>, or <div>.
.list-group {
// No need to set list-style: none; since .list-group-item is block level
margin-bottom: 20px;
padding-left: 0; // reset padding because ul and ol
}
// Individual list items
//
// Use on `li`s or `div`s within the `.list-group` parent.
.list-group-item {
position: relative;
display: block;
padding: 10px 15px;
// Place the border on the list items and negative margin up for better styling
margin-bottom: -1px;
background-color: @list-group-bg;
border: 1px solid @list-group-border;
// Round the first and last items
&:first-child {
.border-top-radius(@list-group-border-radius);
}
&:last-child {
margin-bottom: 0;
.border-bottom-radius(@list-group-border-radius);
}
// Align badges within list items
> .badge {
float: right;
}
> .badge + .badge {
margin-right: 5px;
}
}
// Linked list items
//
// Use anchor elements instead of `li`s or `div`s to create linked list items.
// Includes an extra `.active` modifier class for showing selected items.
a.list-group-item {
color: @list-group-link-color;
.list-group-item-heading {
color: @list-group-link-heading-color;
}
// Hover state
&:hover,
&:focus {
text-decoration: none;
background-color: @list-group-hover-bg;
}
// Active class on item itself, not parent
&.active,
&.active:hover,
&.active:focus {
z-index: 2; // Place active items above their siblings for proper border styling
color: @list-group-active-color;
background-color: @list-group-active-bg;
border-color: @list-group-active-border;
// Force color to inherit for custom content
.list-group-item-heading {
color: inherit;
}
.list-group-item-text {
color: @list-group-active-text-color;
}
}
}
// Contextual variants
//
// Add modifier classes to change text and background color on individual items.
// Organizationally, this must come after the `:hover` states.
.list-group-item-variant(success; @state-success-bg; @state-success-text);
.list-group-item-variant(info; @state-info-bg; @state-info-text);
.list-group-item-variant(warning; @state-warning-bg; @state-warning-text);
.list-group-item-variant(danger; @state-danger-bg; @state-danger-text);
// Custom content options
//
// Extra classes for creating well-formatted content within `.list-group-item`s.
.list-group-item-heading {
margin-top: 0;
margin-bottom: 5px;
}
.list-group-item-text {
margin-bottom: 0;
line-height: 1.3;
}
| overleaf/web/frontend/stylesheets/components/list-group.less/0 | {
"file_path": "overleaf/web/frontend/stylesheets/components/list-group.less",
"repo_id": "overleaf",
"token_count": 912
} | 540 |
//
// Tables
// --------------------------------------------------
table {
max-width: 100%;
background-color: @table-bg;
}
th {
text-align: left;
}
// Baseline styles
.table {
width: 100%;
margin-bottom: @line-height-computed;
// Cells
> thead,
> tbody,
> tfoot {
> tr {
> th,
> td {
padding: @table-cell-padding;
line-height: @line-height-base;
vertical-align: top;
border-top: 1px solid @table-border-color;
}
}
}
// Bottom align for column headings
> thead > tr > th {
vertical-align: bottom;
border-bottom: 2px solid @table-border-color;
}
// Remove top border from thead by default
> caption + thead,
> colgroup + thead,
> thead:first-child {
> tr:first-child {
> th,
> td {
border-top: 0;
}
}
}
// Account for multiple tbody instances
> tbody + tbody {
border-top: 2px solid @table-border-color;
}
// Nesting
.table {
background-color: @body-bg;
}
}
.table-fixed {
.table;
table-layout: fixed;
word-wrap: break-word;
}
// Condensed table w/ half padding
.table-condensed {
> thead,
> tbody,
> tfoot {
> tr {
> th,
> td {
padding: @table-condensed-cell-padding;
}
}
}
}
// Bordered version
//
// Add borders all around the table and between all the columns.
.table-bordered {
border: 1px solid @table-border-color;
> thead,
> tbody,
> tfoot {
> tr {
> th,
> td {
border: 1px solid @table-border-color;
}
}
}
> thead > tr {
> th,
> td {
border-bottom-width: 2px;
}
}
}
// Zebra-striping
//
// Default zebra-stripe styles (alternating gray and transparent backgrounds)
.table-striped {
> tbody > tr:nth-child(odd) {
> td,
> th {
background-color: @table-bg-accent;
}
}
}
// Hover effect
//
// Placed here since it has to come after the potential zebra striping
.table-hover {
> tbody > tr:hover {
> td,
> th {
background-color: @table-bg-hover;
}
}
}
// Table cell sizing
//
// Reset default table behavior
table col[class*='col-'] {
position: static; // Prevent border hiding in Firefox and IE9/10 (see https://github.com/twbs/bootstrap/issues/11623)
float: none;
display: table-column;
}
table {
td,
th {
&[class*='col-'] {
position: static; // Prevent border hiding in Firefox and IE9/10 (see https://github.com/twbs/bootstrap/issues/11623)
float: none;
display: table-cell;
}
}
}
// Table backgrounds
//
// Exact selectors below required to override `.table-striped` and prevent
// inheritance to nested tables.
// Generate the contextual variants
.table-row-variant(active; @table-bg-active);
.table-row-variant(success; @state-success-bg);
.table-row-variant(info; @state-info-bg);
.table-row-variant(warning; @state-warning-bg);
.table-row-variant(danger; @state-danger-bg);
// Responsive tables
//
// Wrap your tables in `.table-responsive` and we'll make them mobile friendly
// by enabling horizontal scrolling. Only applies <768px. Everything above that
// will display normally.
@media (max-width: @screen-xs-max) {
.table-responsive {
width: 100%;
margin-bottom: (@line-height-computed * 0.75);
overflow-y: hidden;
overflow-x: scroll;
-ms-overflow-style: -ms-autohiding-scrollbar;
border: 1px solid @table-border-color;
-webkit-overflow-scrolling: touch;
// Tighten up spacing
> .table {
margin-bottom: 0;
// Ensure the content doesn't wrap
> thead,
> tbody,
> tfoot {
> tr {
> th,
> td {
white-space: nowrap;
}
}
}
}
// Special overrides for the bordered tables
> .table-bordered {
border: 0;
// Nuke the appropriate borders so that the parent can handle them
> thead,
> tbody,
> tfoot {
> tr {
> th:first-child,
> td:first-child {
border-left: 0;
}
> th:last-child,
> td:last-child {
border-right: 0;
}
}
}
// Only nuke the last row's bottom-border in `tbody` and `tfoot` since
// chances are there will be only one `tr` in a `thead` and that would
// remove the border altogether.
> tbody,
> tfoot {
> tr:last-child {
> th,
> td {
border-bottom: 0;
}
}
}
}
}
}
| overleaf/web/frontend/stylesheets/components/tables.less/0 | {
"file_path": "overleaf/web/frontend/stylesheets/components/tables.less",
"repo_id": "overleaf",
"token_count": 1957
} | 541 |
//
// Responsive: Utility classes
// --------------------------------------------------
// IE10 in Windows (Phone) 8
//
// Support for responsive views via media queries is kind of borked in IE10, for
// Surface/desktop in split view and for Windows Phone 8. This particular fix
// must be accompanied by a snippet of JavaScript to sniff the user agent and
// apply some conditional CSS to *only* the Surface/desktop Windows 8. Look at
// our Getting Started page for more information on this bug.
//
// For more information, see the following:
//
// Issue: https://github.com/twbs/bootstrap/issues/10497
// Docs: http://getbootstrap.com/getting-started/#browsers
// Source: http://timkadlec.com/2012/10/ie10-snap-mode-and-responsive-design/
@-ms-viewport {
width: device-width;
}
// Visibility utilities
.visible-xs,
.visible-sm,
.visible-md,
.visible-lg {
.responsive-invisibility();
}
.visible-xs {
@media (max-width: @screen-xs-max) {
.responsive-visibility();
}
}
.visible-sm {
@media (min-width: @screen-sm-min) and (max-width: @screen-sm-max) {
.responsive-visibility();
}
}
.visible-md {
@media (min-width: @screen-md-min) and (max-width: @screen-md-max) {
.responsive-visibility();
}
}
.visible-lg {
@media (min-width: @screen-lg-min) {
.responsive-visibility();
}
}
.hidden-xs {
@media (max-width: @screen-xs-max) {
.responsive-invisibility();
}
}
.hidden-sm {
@media (min-width: @screen-sm-min) and (max-width: @screen-sm-max) {
.responsive-invisibility();
}
}
.hidden-md {
@media (min-width: @screen-md-min) and (max-width: @screen-md-max) {
.responsive-invisibility();
}
}
.hidden-lg {
@media (min-width: @screen-lg-min) {
.responsive-invisibility();
}
}
// Print utilities
//
// Media queries are placed on the inside to be mixin-friendly.
.visible-print {
.responsive-invisibility();
@media print {
.responsive-visibility();
}
}
.hidden-print {
@media print {
.responsive-invisibility();
}
}
| overleaf/web/frontend/stylesheets/core/responsive-utilities.less/0 | {
"file_path": "overleaf/web/frontend/stylesheets/core/responsive-utilities.less",
"repo_id": "overleaf",
"token_count": 712
} | 542 |
module.exports = {
input: [
'frontend/js/**/*.{js,jsx}',
'modules/**/*.{js,jsx}',
'!frontend/js/vendor/**',
],
output: './',
options: {
sort: true,
func: {
list: ['t'],
extensions: ['.js', '.jsx'],
},
trans: {
component: 'Trans',
i18nKey: 'i18nKey',
defaultsKey: 'defaults',
extensions: ['.js', '.jsx'],
fallbackKey: false,
},
resource: {
savePath: 'frontend/extracted-translations.json',
jsonIndent: 2,
lineEnding: '\n',
},
},
}
| overleaf/web/i18next-scanner.config.js/0 | {
"file_path": "overleaf/web/i18next-scanner.config.js",
"repo_id": "overleaf",
"token_count": 272
} | 543 |
{
"error": "Błąd",
"projects": "Projekty",
"upload_project": "Wyślij projekt",
"all_projects": "Wszystkie projekty",
"your_projects": "Twoje projekty",
"shared_with_you": "Udostępnione dla Ciebie",
"deleted_projects": "Usunięte projekty",
"templates": "Szablony",
"new_folder": "Nowy folder",
"create_your_first_project": "Utwórz swój pierwszy projekt!",
"complete": "Zakończono",
"on_free_sl": "Używasz darmowej wersji __appName__",
"or_unlock_features_bonus": "lub odblokuj darmowe bonusy przez",
"sharing_sl": "udostępnianie __appName__a",
"add_to_folder": "Dodaj do folderu",
"create_new_folder": "Utwórz nowy folder",
"more": "więcej",
"rename": "Zmień nazwę",
"make_copy": "Zrób kopię",
"restore": "Przywróć",
"title": "Tytuł",
"last_modified": "Ostatnio modyfikowany",
"no_projects": "Brak projektów",
"welcome_to_sl": "Witaj w __appName__!",
"new_to_latex_look_at": "Nie wiesz co to LaTeX? Zacznij od zapoznania się z naszym",
"or": "lub",
"or_create_project_left": "lub utwórz swój pierwszy projekt (z lewej).",
"thanks_settings_updated": "Dziękuję, twoje ustawienia zostały zaktualizowane.",
"update_account_info": "Zaktualizuj informacje o koncie",
"must_be_email_address": "Musi być adresem email",
"first_name": "Imię",
"last_name": "Nazwisko",
"update": "Zakutalizuj",
"change_password": "Zmień hasło",
"current_password": "Aktualne hasło",
"new_password": "Nowe hasło",
"confirm_new_password": "Potwierdź nowe hasło",
"required": "wymagane",
"doesnt_match": "Nie zgadza się",
"dropbox_integration": "Integracja z Dropbox",
"learn_more": "Dowiedz się więcej",
"dropbox_is_premium": "Synchronizacja z Dropboxem to funkcja premium",
"account_is_linked": "Konto jest połączone",
"unlink_dropbox": "Odłącz Dropboxa",
"link_to_dropbox": "Podłącz Dropboxa",
"newsletter_info_and_unsubscribe": "Co kilka miesięcy wysyłamy newsletter, który podsumowuje świeżo dodane funkcje. Jeżeli nie chciał(a)byś otrzymywać takich emaili, możesz się zawsze wypisać:",
"unsubscribed": "Wypisano",
"unsubscribing": "Wypisywanie",
"unsubscribe": "Wypisz",
"need_to_leave": "Musisz nas opuścić?",
"delete_your_account": "Usuń konto",
"delete_account": "Usuń konto",
"deleting": "Usuwanie",
"delete": "Usuń",
"sl_benefits_plans": "__appName__ to najprostszy w użyciu edytor LaTeXa. Bądź na bieżąco z współpracownikami, śledź wszystkie zmiany w Twojej pracy i używaj środowiska LaTeX gdziekolwiek jesteś.",
"monthly": "Miesięcznie",
"personal": "Osobiste",
"free": "Darmowy",
"one_collaborator": "Tylko jeden współpracownik",
"collaborator": "Współpracownik",
"collabs_per_proj": "__collabcount__ współpracowników na projekt",
"full_doc_history": "Pełna historia dokumentu",
"sync_to_dropbox": "Synchronizuj z Dropbox",
"start_free_trial": "Rozpocznij darmowy okres próbny!",
"professional": "Profesjonalne",
"unlimited_collabs": "Bez limitu współpracowników",
"name": "Nazwa",
"student": "Student",
"university": "Uniwersytet",
"position": "Stanowisko",
"choose_plan_works_for_you": "Sprawdź za darmo przez __len__ dni i wybierz subskrypcję, która najbardziej Ci odpowiada. Możesz anulować w każdej chwili.",
"interested_in_group_licence": "Zainteresowany kontem __appName__ dla grupy, zespół albo całego departamentu?",
"get_in_touch_for_details": "Skontaktuj się z nami, aby uzyskać szczegóły!",
"group_plan_enquiry": "Zapytanie o plan grupowy",
"enjoy_these_features": "Ciesz się wszystkimi tymi wspaniałymi funkcjami",
"create_unlimited_projects": "Twórz tyle projektów, ile potrzebujesz",
"access_projects_anywhere": "Miej wszędzie dostęp do projektów.",
"log_in": "Zaloguj się",
"login": "Login",
"logging_in": "Logowanie",
"forgot_your_password": "Zapomniałeś hasła?",
"password_reset": "Resetowanie hasła",
"password_reset_email_sent": "Wysłaliśmy do Ciebie emaila, żeby dokończyć proces resetowania hasła",
"please_enter_email": "Wpisz swój adres email",
"request_password_reset": "Poproś o nowe hasło",
"reset_your_password": "Zresetuj swoje hasło",
"password_has_been_reset": "Twoje hasło zostało zresetowane",
"login_here": "Zaloguj się tutaj",
"set_new_password": "Ustaw nowe hasło",
"user_wants_you_to_see_project": "__username__ chce, żebyś zobaczył __projectname__",
"join_sl_to_view_project": "Dołącz do __appName__, aby zobaczyć ten projekt",
"register_to_edit_template": "Zarejestruj się, żeby edytować szablon __templateName__",
"already_have_sl_account": "Czy masz już konto __appName__?",
"register": "Zarejestruj się",
"password": "Hasło",
"registering": "Rejestracja",
"planned_maintenance": "Planowana konserwacja",
"no_planned_maintenance": "Nie ma obecnie żadnych zaplanowanych konserwacji",
"cant_find_page": "Przykro nam, ale nie możemy znaleźć strony której szukasz.",
"take_me_home": "Zabierz mnie do domu!",
"no_preview_available": "Przepraszamy, pogląd jest niedostępny.",
"no_messages": "Brak wiadomości",
"send_first_message": "Wyślij pierwszą wiadomość",
"account_not_linked_to_dropbox": "Twoje konto nie jest powiązane z Dropboxem",
"update_dropbox_settings": "Zaktualizuj ustawienia Dropbox",
"refresh_page_after_starting_free_trial": "Odśwież tę stronę po rozpoczęciu darmowego trialu",
"checking_dropbox_status": "sprawdzanie statusu Dropboxa",
"dismiss": "Anuluj",
"new_file": "Nowy plik",
"upload_file": "Wyślij plik",
"create": "Utwórz",
"creating": "Tworzenie",
"upload_files": "Wyślij plik(i)",
"sure_you_want_to_delete": "Czy jesteś pewny(a), że chcesz trwale usunąć <strong>{{ entity.name }}</strong>?",
"common": "Wspólne",
"navigation": "Nawigacja",
"editing": "Edytowanie",
"ok": "OK",
"source": "Pliki źródłowe",
"actions": "Akcje",
"copy_project": "Kopiuj projekt",
"publish_as_template": "Publikuj jako szablon",
"sync": "Synchronizacja",
"settings": "Ustawienia",
"main_document": "Główny plik",
"off": "Wyłączone",
"auto_complete": "automatyczne dopełnianie",
"theme": "Skórka",
"font_size": "Rozmiar czcionki",
"pdf_viewer": "Przeglądarka PDF",
"built_in": "Wbudowana",
"native": "natywna",
"show_hotkeys": "Pokaż skróty klawiszowe",
"new_name": "Nowa nazwa",
"copying": "kopiowanie",
"copy": "Kopiuj",
"compiling": "Kompilowanie",
"click_here_to_preview_pdf": "Kliknij tutaj, żeby zobaczyć podgląd pracy w PDF",
"server_error": "Błąd serwera",
"somthing_went_wrong_compiling": "Przepraszamy, coś poszło nie tak i twój projekt nie mógł zostać skompilowany. Spróbuj ponownie za kilka chwil.",
"timedout": "Koniec limitu czasu",
"proj_timed_out_reason": "Przepraszamy, ale kompilacja przekroczyła limit czasu. Może to być spowodowane dużą liczbą obrazków wysokiej rozdzielczości bądź skomplikowanymi diagramami.",
"no_errors_good_job": "Brak błędów, dobra robota!",
"compile_error": "Błąd kompilacji",
"generic_failed_compile_message": "Przepraszamy, ale Twój kod LaTeX nie mógł z jakiegoś powodu zostać skompilowany. Sprawdź proszę poniższe szczegółowe komunikaty błędów lub zobacz niefiltrowany log",
"other_logs_and_files": "Inne logi i pliki",
"view_raw_logs": "Zobacz surowe logi",
"hide_raw_logs": "Ukryj surowe logi",
"clear_cache": "Wyczyść cache",
"clear_cache_explanation": "To działanie wyczyści wszystkie ukryte pliki LaTeXa (.aux, .bbl, etc.) z naszego serwera. Nie musisz tego robić dopóki nie masz problemów z referencjami.",
"clear_cache_is_safe": "Twoje pliki projektu nie będą usunięte ani zmienione.",
"clearing": "Czyszczenie",
"template_description": "Opis szablony",
"project_last_published_at": "Twój projekt był ostatnio publikowany dnia",
"share_project": "Udostępnij projekt",
"this_project_is_private": "Ten projekt jest prywatny, dostęp do niego mają tylko osoby poniżej.",
"make_public": "Ustaw projekt jako publiczny",
"this_project_is_public": "Ten projekt jest publiczny i może być edytowany przez każdego kto posiada link.",
"make_private": "Ustaw projekt jako prywatny",
"can_edit": "Może edytować",
"share_with_your_collabs": "Udostępnij swoim współpracownikom",
"share": "Udostępnij",
"make_project_public": "Ustaw projekt jako publiczny",
"make_project_public_consequences": "Jeśli ustawisz ten projekt jako publiczny, każda osoba z linkiem będzie miała do niego dostęp.",
"allow_public_editing": "Pozwól na publiczne edycje",
"make_project_private": "Ustaw projekt jako prywatny",
"anonymous": "Anonimowy",
"generic_something_went_wrong": "Przepraszamy, coś poszło nie tak :(",
"restoring": "Przywracanie",
"profile_complete_percentage": "Twój profil jest kompletny w __percentval__%",
"file_has_been_deleted": "__filename__ został usunięty",
"rename_project": "Zmień nazwę projektu",
"about_to_delete_projects": "Zaraz usuniesz następujące projekty:",
"upload_zipped_project": "Wyślij projekt w pliku ZIP",
"upload_a_zipped_project": "Wyślij projekt w pliku ZIP",
"your_profile": "Twój profil",
"institution": "Instytucja",
"role": "Rola",
"folders": "Foldery",
"disconnected": "Rozłączony",
"please_refresh": "Proszę odśwież stronę aby kontynuować.",
"lost_connection": "Utracono połączenie",
"reconnecting_in_x_secs": "Próba połączenia za __seconds__ s",
"try_now": "Spróbuj teraz",
"reconnecting": "Ponowne łączenie",
"saving_notification_with_seconds": "Zapisywanie pliku __docname__... (__seconds__ sekund niezapisanych zmian)",
"post_on_facebook": "Opublikuj na Facebooku",
"share_us_on_googleplus": "Poleć nas na Google+",
"direct_link": "Bezpośredni link",
"one_free_collab": "Jeden darmowy współpracownik",
"free_dropbox_and_history": "Darmowy Dropbox i historia",
"year": "rok",
"month": "miesiąc",
"subscribe_to_this_plan": "Wybierz ten plan",
"your_plan": "Twój plan",
"your_subscription": "Twoja subskrypcja",
"on_free_trial_expiring_at": "Korzystasz obecnie z darmowego okresu próbnego, który wygasa __expiresAt__.",
"manage_group": "Zarządzaj grupą",
"remove_from_group": "Usuń z grupy",
"group_account": "Konto grupowe",
"registered": "Zarejestrowany",
"no_members": "Brak członków",
"add_more_members": "Dodaj członków",
"add": "Dodaj",
"back_to_your_projects": "Wróć do swoich projektów",
"regards": "Dziękujemy",
"comment": "Skomentuj",
"restricted_no_permission": "Wstęp wzbroniony - nie masz uprawnień, aby załadować tę stronę.",
"get_started_now": "Rozpocznij teraz",
"and": "i",
"done": "Zrobione",
"change": "Zmień",
"page_not_found": "Strona nie znaleziona",
"cant_find_email": "Przykro nam, ale ten adres email nie jest zarejestrowany.",
"documentation": "Dokumentacja",
"account": "Konto",
"log_out": "Wyloguj się",
"en": "Angielski",
"pt": "Portugalski",
"es": "Hiszpański",
"fr": "Francuski",
"de": "Niemiecki",
"it": "Włoski",
"da": "Duński",
"sv": "Szwedzki",
"no": "Norweski",
"nl": "Duński",
"pl": "Polski",
"ru": "Rosyjski",
"uk": "Ukraiński",
"ro": "Rumuński",
"click_here_to_view_sl_in_lng": "Kliknij tutaj, żeby używać __appName__ w <0>__lngName__</0>m",
"language": "Język",
"upload": "Wyślij plik",
"menu": "Menu",
"full_screen": "Pełny ekran",
"logs_and_output_files": "Logi i pliki wynikowe",
"download_pdf": "Ściągnij PDF",
"split_screen": "Podziel ekran",
"clear_cached_files": "Wyczyść pliki z cache",
"download_zip_file": "Ściągnij plik .zip",
"price": "Cena",
"cs": "Czeski",
"view_all": "Zobacz wszystko",
"terms": "Warunki",
"privacy": "Prywatność",
"contact": "Kontakt",
"processing": "przetwarzanie",
"missing_template_question": "Brakujący szablon?",
"upload_failed_sorry": "Przesyłanie nie powiodło się, przepraszamy :(",
"account_settings": "Ustawienia konta",
"search_projects": "Przeszukaj projekty",
"clone_project": "Kopiuj projekt",
"delete_project": "Usuń projekt",
"download_zip": "Pobierz jako ZIP",
"new_project": "Nowy projekt",
"blank_project": "Pusty projekt",
"example_project": "Przykładowy projekt",
"from_template": "Z szablonu",
"cv_or_resume": "CV lub życiorys",
"cover_letter": "List motywacyjny",
"journal_article": "Artykuł prasowy",
"presentation": "Prezentacja",
"thesis": "Praca dyplomowa",
"bibliographies": "Bibliografie",
"terms_of_service": "Warunki usługi",
"privacy_policy": "Polityka prywatności",
"plans_and_pricing": "Plany i cennik",
"university_licences": "Licencje akademickie",
"security": "Bezpieczeństwo",
"contact_us": "Skontaktuj się z nami",
"thanks": "Dziękuję",
"blog": "Blog",
"latex_editor": "Edytor LaTeXa",
"chat": "Czat",
"your_message": "Twoja wiadomość",
"loading": "Ładowanie",
"connecting": "Łączenie",
"recompile": "Przekompiluj",
"download": "Ściągnij",
"email": "Email",
"owner": "Właściciel",
"read_and_write": "odczyt i zapis",
"read_only": "tylko odczyt",
"publish": "Publikuj",
"view_in_template_gallery": "Zobacz w galerii szablonów",
"unpublish": "Zaprzestaj publikację",
"hotkeys": "Skróty klawiszowe",
"saving": "Zapisywanie",
"cancel": "Anuluj",
"project_name": "Nazwa projektu",
"root_document": "Główny plik",
"spell_check": "Sprawdzanie pisowni",
"compiler": "Kompilator",
"private": "Prywatny",
"public": "Publiczny",
"delete_forever": "Usuń na zawsze",
"support_and_feedback": "Pomoc i opinie",
"help": "Pomoc",
"latex_templates": "Szablony LaTeX",
"info": "Informacje",
"latex_help_guide": "Przewodnik po LaTeXu",
"choose_your_plan": "Wybierz swój plan",
"indvidual_plans": "Plany indywidualne",
"free_forever": "Za darmo na zawsze",
"low_priority_compile": "Kompilowanie niskiego priorytetu",
"unlimited_projects": "Nielimitowane projekty",
"unlimited_compiles": "Nielimitowane kompilacje",
"full_history_of_changes": "Pełna historia zmian",
"dropbox_sync": "Synchronizacja z Dropbox",
"beta": "Beta",
"sign_up_now": "Zarejestruj się teraz",
"annual": "Rocznie",
"half_price_student": "Plany dla studentów za połowę cent",
"about_us": "O nas",
"github_sync_error": "Przepraszamy, ale wystąpił błąd komunikacji z naszym kontem GitHub. Proszę spróbuj ponownie za parę chwil."
}
| overleaf/web/locales/pl.json/0 | {
"file_path": "overleaf/web/locales/pl.json",
"repo_id": "overleaf",
"token_count": 6616
} | 544 |
/* eslint-disable no-unused-vars */
const Helpers = require('./lib/helpers')
exports.tags = ['saas']
const indexes = [
{
key: {
pid: 1,
eid: 1,
},
name: 'pid_1_eid_1',
},
{
key: {
c: 1,
},
name: 'c_1',
expireAfterSeconds: 2592000,
},
]
exports.migrate = async client => {
const { db } = client
await Helpers.addIndexesToCollection(db.githubSyncEntityVersions, indexes)
}
exports.rollback = async client => {
const { db } = client
try {
await Helpers.dropIndexesFromCollection(
db.githubSyncEntityVersions,
indexes
)
} catch (err) {
console.error('Something went wrong rolling back the migrations', err)
}
}
| overleaf/web/migrations/20190912145009_create_githubSyncEntityVersions_indexes.js/0 | {
"file_path": "overleaf/web/migrations/20190912145009_create_githubSyncEntityVersions_indexes.js",
"repo_id": "overleaf",
"token_count": 294
} | 545 |
/* eslint-disable no-unused-vars */
const Helpers = require('./lib/helpers')
exports.tags = ['saas']
const indexes = [
{
unique: true,
key: {
slug: 1,
},
name: 'slug_1',
},
]
exports.migrate = async client => {
const { db } = client
await Helpers.addIndexesToCollection(db.publishers, indexes)
}
exports.rollback = async client => {
const { db } = client
try {
await Helpers.dropIndexesFromCollection(db.publishers, indexes)
} catch (err) {
console.error('Something went wrong rolling back the migrations', err)
}
}
| overleaf/web/migrations/20190912145025_create_publishers_indexes.js/0 | {
"file_path": "overleaf/web/migrations/20190912145025_create_publishers_indexes.js",
"repo_id": "overleaf",
"token_count": 217
} | 546 |
const Helpers = require('./lib/helpers')
exports.tags = ['saas']
exports.migrate = async client => {
const { db } = client
await Helpers.dropCollection(db, 'projectImportFailures')
}
exports.rollback = async client => {
// can't really do anything here
}
| overleaf/web/migrations/20200522145727_dropProjectImportFailures.js/0 | {
"file_path": "overleaf/web/migrations/20200522145727_dropProjectImportFailures.js",
"repo_id": "overleaf",
"token_count": 87
} | 547 |
/* eslint-disable no-unused-vars */
const Helpers = require('./lib/helpers')
exports.tags = ['server-ce', 'server-pro', 'saas']
exports.migrate = async client => {
const { db } = client
// await Helpers.addIndexesToCollection(db.wombats, [{ name: 1 }])
}
exports.rollback = async client => {
const { db } = client
// Helpers.dropIndexesFromCollection(db.wombats, [{ name: 1 }])
}
| overleaf/web/migrations/lib/template.js/0 | {
"file_path": "overleaf/web/migrations/lib/template.js",
"repo_id": "overleaf",
"token_count": 146
} | 548 |
const minimist = require('minimist')
const { db, waitForDb } = require('../../../app/src/infrastructure/mongodb')
const UserRegistrationHandler = require('../../../app/src/Features/User/UserRegistrationHandler')
async function main() {
await waitForDb()
const argv = minimist(process.argv.slice(2), {
string: ['email'],
boolean: ['admin'],
})
const { admin, email } = argv
if (!email) {
console.error(`Usage: node ${__filename} [--admin] --email=joe@example.com`)
process.exit(1)
}
await new Promise((resolve, reject) => {
UserRegistrationHandler.registerNewUserAndSendActivationEmail(
email,
(error, user, setNewPasswordUrl) => {
if (error) {
return reject(error)
}
db.users.updateOne(
{ _id: user._id },
{ $set: { isAdmin: admin } },
error => {
if (error) {
return reject(error)
}
console.log('')
console.log(`\
Successfully created ${email} as ${admin ? 'an admin' : 'a'} user.
Please visit the following URL to set a password for ${email} and log in:
${setNewPasswordUrl}
`)
resolve()
}
)
}
)
})
}
main()
.then(() => {
console.error('Done.')
process.exit(0)
})
.catch(err => {
console.error(err)
process.exit(1)
})
| overleaf/web/modules/server-ce-scripts/scripts/create-user.js/0 | {
"file_path": "overleaf/web/modules/server-ce-scripts/scripts/create-user.js",
"repo_id": "overleaf",
"token_count": 597
} | 549 |
const { waitForDb } = require('../app/src/infrastructure/mongodb')
const ProjectDetailsHandler = require('../app/src/Features/Project/ProjectDetailsHandler')
const projectId = process.argv[2]
if (!/^(?=[a-f\d]{24}$)(\d+[a-f]|[a-f]+\d)/.test(projectId)) {
console.error('Usage: node clear_project_tokens.js projectId')
process.exit(1)
}
waitForDb()
.then(main)
.catch(err => {
console.error(err)
process.exit(1)
})
function main() {
ProjectDetailsHandler.clearTokens(projectId, err => {
if (err) {
console.error(
`Error clearing project tokens from project ${projectId}`,
err
)
process.exit(1)
}
console.log(`Successfully cleared project tokens from project ${projectId}`)
process.exit(0)
})
}
| overleaf/web/scripts/clear_project_tokens.js/0 | {
"file_path": "overleaf/web/scripts/clear_project_tokens.js",
"repo_id": "overleaf",
"token_count": 304
} | 550 |
/*
* Creates the HTML for the institution in the institution table on /for/universities
*/
const name = process.argv[2]
const href = process.argv[3]
const image = process.argv[4]
function create() {
if (!name) {
return console.log('Error: Institution name is required')
}
const eventLabel = name.replace(/ /g, '-').replace(/\(|\)/g, '')
if (!href) {
return console.log('Error: Institution portal href is required')
}
let result = ` <div class="row">`
result += `\n <div class="col-sm-2 col-xs-3 text-center">`
if (image) {
result += `\n <img alt="${name}" class="uni-logo" src="${image}">`
}
result += `\n </div>`
result += `\n <div class="col-sm-8 col-xs-5">
<p>
<strong>${name}</strong>
</p>`
result += `\n </div>`
result += `\n <div class="col-sm-2 col-xs-4 university-claim-btn">
<a class="btn btn-primary" href="${href}" event-tracking-ga="For-Pages" event-tracking="Universities-Click-Edu" event-tracking-label="View-${eventLabel}" event-tracking-trigger="click">VIEW</a>
</div>`
result += '\n </div>'
console.log(result)
}
create()
| overleaf/web/scripts/inst_table.js/0 | {
"file_path": "overleaf/web/scripts/inst_table.js",
"repo_id": "overleaf",
"token_count": 463
} | 551 |
const { waitForDb } = require('../app/src/infrastructure/mongodb')
const ProjectEntityUpdateHandler = require('../app/src/Features/Project/ProjectEntityUpdateHandler')
const ProjectEntityHandler = require('../app/src/Features/Project/ProjectEntityHandler')
const DocstoreManager = require('../app/src/Features/Docstore/DocstoreManager')
const Path = require('path')
const ARGV = process.argv.slice(2)
const DEVELOPER_USER_ID = ARGV.shift()
const PROJECT_ID = ARGV.shift()
const FILE_NAMES_TO_RESTORE = ARGV
async function main() {
const deletedDocs = await DocstoreManager.promises.getAllDeletedDocs(
PROJECT_ID
)
const docsToRestore = deletedDocs.filter(doc =>
FILE_NAMES_TO_RESTORE.includes(doc.name)
)
for (const deletedDoc of docsToRestore) {
const doc = await new Promise((resolve, reject) => {
ProjectEntityHandler.getDoc(
PROJECT_ID,
deletedDoc._id,
{
include_deleted: true,
},
(err, lines, rev, version, ranges) => {
if (err) return reject(err)
resolve({ lines, ranges })
}
)
})
const formattedTimestamp = new Date()
.toISOString()
.replace('T', '-')
.replace(/[^0-9-]/g, '')
const extension = Path.extname(deletedDoc.name)
const basename = Path.basename(deletedDoc.name, extension)
const deletedDocName = `${basename}-${formattedTimestamp}${extension}`
const newDoc = await new Promise((resolve, reject) => {
ProjectEntityUpdateHandler.addDocWithRanges(
PROJECT_ID,
null,
`${deletedDocName}`,
doc.lines,
doc.ranges,
DEVELOPER_USER_ID,
(err, doc, folderId) => {
if (err) return reject(err)
resolve({ doc, folderId })
}
)
})
console.log(newDoc)
}
}
waitForDb()
.then(main)
.then(() => {
process.exit(0)
})
.catch(error => {
console.error(error)
process.exit(1)
})
| overleaf/web/scripts/restore_soft_deleted_docs.js/0 | {
"file_path": "overleaf/web/scripts/restore_soft_deleted_docs.js",
"repo_id": "overleaf",
"token_count": 813
} | 552 |
\documentclass[12pt]{article}
\usepackage[greek,english]{babel}
\usepackage[utf8x]{inputenc}
\begin{document}
\title{Untitled}
\selectlanguage{greek}
Η γρήγορη καστανή αλεπού πήδηξε χαλαρά πάνω από το σκυλί.
\end{document}
| overleaf/web/test/acceptance/files/charsets/test-greek-utf8x.tex/0 | {
"file_path": "overleaf/web/test/acceptance/files/charsets/test-greek-utf8x.tex",
"repo_id": "overleaf",
"token_count": 142
} | 553 |
const { exec } = require('child_process')
const { promisify } = require('util')
const { expect } = require('chai')
const logger = require('logger-sharelatex')
const { db, ObjectId } = require('../../../app/src/infrastructure/mongodb')
const User = require('./helpers/User').promises
async function getDeletedDocs(projectId) {
return (await db.projects.findOne({ _id: projectId })).deletedDocs
}
async function setDeletedDocs(projectId, deletedDocs) {
await db.projects.updateOne({ _id: projectId }, { $set: { deletedDocs } })
}
describe('BackFillDocNameForDeletedDocs', function () {
let user, projectId1, projectId2, docId1, docId2, docId3
beforeEach('create projects', async function () {
user = new User()
await user.login()
projectId1 = ObjectId(await user.createProject('project1'))
projectId2 = ObjectId(await user.createProject('project2'))
})
beforeEach('create docs', async function () {
docId1 = ObjectId(
await user.createDocInProject(projectId1, null, 'doc1.tex')
)
docId2 = ObjectId(
await user.createDocInProject(projectId1, null, 'doc2.tex')
)
docId3 = ObjectId(
await user.createDocInProject(projectId2, null, 'doc3.tex')
)
})
beforeEach('deleted docs', async function () {
await user.deleteItemInProject(projectId1, 'doc', docId1)
await user.deleteItemInProject(projectId1, 'doc', docId2)
await user.deleteItemInProject(projectId2, 'doc', docId3)
})
beforeEach('insert doc stubs into docs collection', async function () {
await db.docs.insertMany([
{ _id: docId1, deleted: true },
{ _id: docId2, deleted: true },
{ _id: docId3, deleted: true },
])
})
let deletedDocs1, deletedDocs2
let deletedAt1, deletedAt2, deletedAt3
beforeEach('set deletedDocs details', async function () {
deletedAt1 = new Date()
deletedAt2 = new Date()
deletedAt3 = new Date()
deletedDocs1 = [
{ _id: docId1, name: 'doc1.tex', deletedAt: deletedAt1 },
{ _id: docId2, name: 'doc2.tex', deletedAt: deletedAt2 },
]
deletedDocs2 = [{ _id: docId3, name: 'doc3.tex', deletedAt: deletedAt3 }]
await setDeletedDocs(projectId1, deletedDocs1)
await setDeletedDocs(projectId2, deletedDocs2)
})
async function runScript(args = []) {
let result
try {
result = await promisify(exec)(
['LET_USER_DOUBLE_CHECK_INPUTS_FOR=1']
.concat(['node', 'scripts/back_fill_doc_name_for_deleted_docs'])
.concat(args)
.join(' ')
)
} catch (error) {
// dump details like exit code, stdErr and stdOut
logger.error({ error }, 'script failed')
throw error
}
const { stderr: stdErr, stdout: stdOut } = result
expect(stdOut).to.include(projectId1.toString())
expect(stdOut).to.include(projectId2.toString())
expect(stdErr).to.include(`Completed batch ending ${projectId2}`)
}
function checkDocsBackFilled() {
it('should back fill names and deletedAt dates into docs', async function () {
const docs = await db.docs.find({}).toArray()
expect(docs).to.deep.equal([
{ _id: docId1, deleted: true, name: 'doc1.tex', deletedAt: deletedAt1 },
{ _id: docId2, deleted: true, name: 'doc2.tex', deletedAt: deletedAt2 },
{ _id: docId3, deleted: true, name: 'doc3.tex', deletedAt: deletedAt3 },
])
})
}
describe('back fill only', function () {
beforeEach('run script', runScript)
checkDocsBackFilled()
it('should leave the deletedDocs as is', async function () {
expect(await getDeletedDocs(projectId1)).to.deep.equal(deletedDocs1)
expect(await getDeletedDocs(projectId2)).to.deep.equal(deletedDocs2)
})
})
describe('back fill and cleanup', function () {
beforeEach('run script with cleanup flag', async function () {
await runScript(['--perform-cleanup'])
})
checkDocsBackFilled()
it('should cleanup the deletedDocs', async function () {
expect(await getDeletedDocs(projectId1)).to.deep.equal([])
expect(await getDeletedDocs(projectId2)).to.deep.equal([])
})
})
})
| overleaf/web/test/acceptance/src/BackFillDocNameForDeletedDocsTests.js/0 | {
"file_path": "overleaf/web/test/acceptance/src/BackFillDocNameForDeletedDocsTests.js",
"repo_id": "overleaf",
"token_count": 1584
} | 554 |
const { expect } = require('chai')
const RateLimiter = require('../../../app/src/infrastructure/RateLimiter')
const UserHelper = require('./helpers/UserHelper')
describe('PasswordUpdate', function () {
let email, password, response, user, userHelper
afterEach(async function () {
await RateLimiter.promises.clearRateLimit(
'password_reset_rate_limit',
'127.0.0.1'
)
})
beforeEach(async function () {
userHelper = new UserHelper()
email = userHelper.getDefaultEmail()
password = 'old-password'
userHelper = await UserHelper.createUser({ email, password })
userHelper = await UserHelper.loginUser({
email,
password,
})
await userHelper.getCsrfToken()
})
describe('success', function () {
beforeEach(async function () {
response = await userHelper.request.post('/user/password/update', {
form: {
currentPassword: password,
newPassword1: 'new-password',
newPassword2: 'new-password',
},
simple: false,
})
userHelper = await UserHelper.getUser({ email })
user = userHelper.user
})
it('should return 200', async function () {
expect(response.statusCode).to.equal(200)
})
it('should update the audit log', function () {
const auditLog = userHelper.getAuditLogWithoutNoise()
expect(auditLog[0]).to.exist
expect(typeof auditLog[0].initiatorId).to.equal('object')
expect(auditLog[0].initiatorId).to.deep.equal(user._id)
expect(auditLog[0].operation).to.equal('update-password')
expect(auditLog[0].ipAddress).to.equal('127.0.0.1')
expect(auditLog[0].timestamp).to.exist
})
})
describe('errors', function () {
describe('missing current password', function () {
beforeEach(async function () {
response = await userHelper.request.post('/user/password/update', {
form: {
newPassword1: 'new-password',
newPassword2: 'new-password',
},
simple: false,
})
userHelper = await UserHelper.getUser({ email })
})
it('should return 500', async function () {
expect(response.statusCode).to.equal(500)
})
it('should not update audit log', async function () {
const auditLog = userHelper.getAuditLogWithoutNoise()
expect(auditLog).to.deep.equal([])
})
})
describe('wrong current password', function () {
beforeEach(async function () {
response = await userHelper.request.post('/user/password/update', {
form: {
currentPassword: 'wrong-password',
newPassword1: 'new-password',
newPassword2: 'new-password',
},
simple: false,
})
userHelper = await UserHelper.getUser({ email })
})
it('should return 400', async function () {
expect(response.statusCode).to.equal(400)
})
it('should not update audit log', async function () {
const auditLog = userHelper.getAuditLogWithoutNoise()
expect(auditLog).to.deep.equal([])
})
})
describe('newPassword1 does not match newPassword2', function () {
beforeEach(async function () {
response = await userHelper.request.post('/user/password/update', {
form: {
currentPassword: password,
newPassword1: 'new-password',
newPassword2: 'oops-password',
},
json: true,
simple: false,
})
userHelper = await UserHelper.getUser({ email })
})
it('should return 400', async function () {
expect(response.statusCode).to.equal(400)
})
it('should return error message', async function () {
expect(response.body.message).to.equal('Passwords do not match')
})
it('should not update audit log', async function () {
const auditLog = userHelper.getAuditLogWithoutNoise()
expect(auditLog).to.deep.equal([])
})
})
describe('new password is not valid', function () {
beforeEach(async function () {
response = await userHelper.request.post('/user/password/update', {
form: {
currentPassword: password,
newPassword1: 'short',
newPassword2: 'short',
},
json: true,
simple: false,
})
userHelper = await UserHelper.getUser({ email })
})
it('should return 400', async function () {
expect(response.statusCode).to.equal(400)
})
it('should return error message', async function () {
expect(response.body.message).to.equal('password is too short')
})
it('should not update audit log', async function () {
const auditLog = userHelper.getAuditLogWithoutNoise()
expect(auditLog).to.deep.equal([])
})
})
})
})
| overleaf/web/test/acceptance/src/PasswordUpdateTests.js/0 | {
"file_path": "overleaf/web/test/acceptance/src/PasswordUpdateTests.js",
"repo_id": "overleaf",
"token_count": 1997
} | 555 |
const User = require('./helpers/User')
const async = require('async')
const { expect } = require('chai')
const _ = require('lodash')
const request = require('./helpers/request')
const expectErrorResponse = require('./helpers/expectErrorResponse')
const _initUser = (user, callback) => {
async.series([cb => user.login(cb), cb => user.getCsrfToken(cb)], callback)
}
const _initUsers = (users, callback) => {
async.each(users, _initUser, callback)
}
const _expect200 = (err, response) => {
expect(err).to.not.exist
expect(response.statusCode).to.equal(200)
}
const _expect204 = (err, response) => {
expect(err).to.not.exist
expect(response.statusCode).to.equal(204)
}
const _createTag = (user, name, callback) => {
user.request.post({ url: `/tag`, json: { name: name } }, callback)
}
const _createTags = (user, tagNames, callback) => {
const tags = []
async.series(
tagNames.map(tagName => cb =>
_createTag(user, tagName, (err, response, body) => {
_expect200(err, response)
tags.push(body)
cb()
})
),
err => {
callback(err, tags)
}
)
}
const _getTags = (user, callback) => {
user.request.get({ url: `/tag`, json: true }, callback)
}
const _names = tags => {
return tags.map(tag => tag.name)
}
const _ids = tags => {
return tags.map(tag => tag._id)
}
const _expectTagStructure = tag => {
expect(tag).to.have.keys('_id', 'user_id', 'name', 'project_ids', '__v')
expect(typeof tag._id).to.equal('string')
expect(typeof tag.user_id).to.equal('string')
expect(typeof tag.name).to.equal('string')
expect(tag.project_ids).to.deep.equal([])
}
describe('Tags', function () {
beforeEach(function (done) {
this.user = new User()
this.otherUser = new User()
_initUsers([this.user, this.otherUser], done)
})
describe('get tags, anonymous', function () {
it('should refuse to get user tags', function (done) {
this.user.logout(err => {
if (err) {
return done(err)
}
_getTags(this.user, (err, response, body) => {
expect(err).to.not.exist
expectErrorResponse.requireLogin.json(response, body)
done()
})
})
})
})
describe('get tags, none', function () {
it('should get user tags', function (done) {
_getTags(this.user, (err, response, body) => {
_expect200(err, response)
expect(body).to.deep.equal([])
done()
})
})
})
describe('create some tags, then get', function () {
it('should get tags only for that user', function (done) {
// Create a few tags
_createTags(this.user, ['one', 'two', 'three'], (err, tags) => {
expect(err).to.not.exist
// Check structure of tags we just created
expect(tags.length).to.equal(3)
for (const tag of tags) {
_expectTagStructure(tag)
expect(tag.user_id).to.equal(this.user._id.toString())
}
// Get the list of tags for this user
_getTags(this.user, (err, response, body) => {
_expect200(err, response)
expect(body).to.be.an.instanceof(Array)
expect(body.length).to.equal(3)
// Check structure of each tag in response
for (const tag of body) {
_expectTagStructure(tag)
expect(tag.user_id).to.equal(this.user._id.toString())
}
// Check that the set of ids we created are the same as
// the ids we got in the tag-list body
expect(_.sortBy(_ids(tags))).to.deep.equal(_.sortBy(_ids(body)))
// Check that the other user can't see these tags
_getTags(this.otherUser, (err, response, body) => {
_expect200(err, response)
expect(body).to.deep.equal([])
done()
})
})
})
})
})
describe('get tags via api', function () {
const auth = Buffer.from('sharelatex:password').toString('base64')
const authedRequest = request.defaults({
headers: {
Authorization: `Basic ${auth}`,
},
})
it('should disallow without appropriate auth headers', function (done) {
_createTags(this.user, ['one', 'two', 'three'], (err, tags) => {
expect(err).to.not.exist
// Get the tags, but with a regular request, not authorized
request.get(
{ url: `/user/${this.user._id}/tag`, json: true },
(err, response, body) => {
expect(err).to.not.exist
expect(response.statusCode).to.equal(401)
expect(body).to.equal('Unauthorized')
done()
}
)
})
})
it('should get the tags from api endpoint', function (done) {
_createTags(this.user, ['one', 'two', 'three'], (err, tags) => {
expect(err).to.not.exist
// Get tags for user
authedRequest.get(
{ url: `/user/${this.user._id}/tag`, json: true },
(err, response, body) => {
_expect200(err, response)
expect(body.length).to.equal(3)
// Get tags for other user, expect none
authedRequest.get(
{ url: `/user/${this.otherUser._id}/tag`, json: true },
(err, response, body) => {
_expect200(err, response)
expect(body.length).to.equal(0)
done()
}
)
}
)
})
})
})
describe('rename tag', function () {
it('should reject malformed tag id', function (done) {
this.user.request.post(
{ url: `/tag/lol/rename`, json: { name: 'five' } },
(err, response) => {
expect(err).to.not.exist
expect(response.statusCode).to.equal(500)
done()
}
)
})
it('should allow user to rename a tag', function (done) {
_createTags(this.user, ['one', 'two'], (err, tags) => {
expect(err).to.not.exist
// Pick out the first tag
const firstTagId = tags[0]._id
// Change its name
this.user.request.post(
{ url: `/tag/${firstTagId}/rename`, json: { name: 'five' } },
(err, response) => {
_expect204(err, response)
// Get the tag list
_getTags(this.user, (err, response, body) => {
_expect200(err, response)
expect(body.length).to.equal(2)
// Check the set of tag names is correct
const tagNames = _names(body)
expect(_.sortBy(tagNames)).to.deep.equal(
_.sortBy(['five', 'two'])
)
// Check the id is the same
const tagWithNameFive = _.find(body, t => t.name === 'five')
expect(tagWithNameFive._id).to.equal(firstTagId)
done()
})
}
)
})
})
it('should not allow other user to change name', function (done) {
const initialTagNames = ['one', 'two']
_createTags(this.user, initialTagNames, (err, tags) => {
expect(err).to.not.exist
const firstTagId = tags[0]._id
// Post with the other user
this.otherUser.request.post(
{ url: `/tag/${firstTagId}/rename`, json: { name: 'six' } },
(err, response) => {
_expect204(err, response)
// Should not have altered the tag
this.user.request.get(
{ url: `/tag`, json: true },
(err, response, body) => {
_expect200(err, response)
expect(_.sortBy(_names(body))).to.deep.equal(
_.sortBy(initialTagNames)
)
done()
}
)
}
)
})
})
})
describe('delete tag', function () {
it('should reject malformed tag id', function (done) {
this.user.request.delete(
{ url: `/tag/lol`, json: { name: 'five' } },
(err, response) => {
expect(err).to.not.exist
expect(response.statusCode).to.equal(500)
done()
}
)
})
it('should delete a tag', function (done) {
const initialTagNames = ['one', 'two', 'three']
_createTags(this.user, initialTagNames, (err, tags) => {
expect(err).to.not.exist
const firstTagId = tags[0]._id
this.user.request.delete(
{ url: `/tag/${firstTagId}` },
(err, response) => {
_expect204(err, response)
// Check the tag list
_getTags(this.user, (err, response, body) => {
_expect200(err, response)
expect(_.sortBy(_names(body))).to.deep.equal(
_.sortBy(['two', 'three'])
)
done()
})
}
)
})
})
})
describe('add project to tag', function () {
beforeEach(function (done) {
this.user.createProject('test 1', (err, projectId) => {
if (err) {
return done(err)
}
this.projectId = projectId
done()
})
})
it('should reject malformed tag id', function (done) {
this.user.request.post(
{ url: `/tag/lol/project/bad` },
(err, response) => {
expect(err).to.not.exist
expect(response.statusCode).to.equal(500)
done()
}
)
})
it('should allow the user to add a project to a tag, and remove it', function (done) {
_createTags(this.user, ['one', 'two'], (err, tags) => {
expect(err).to.not.exist
const firstTagId = tags[0]._id
_getTags(this.user, (err, response, body) => {
_expect200(err, response)
// Confirm that project_ids is empty for this tag
expect(
_.find(body, tag => tag.name === 'one').project_ids
).to.deep.equal([])
// Add the project to the tag
this.user.request.post(
{ url: `/tag/${firstTagId}/project/${this.projectId}` },
(err, response) => {
_expect204(err, response)
// Get tags again
_getTags(this.user, (err, response, body) => {
_expect200(err, response)
// Check the project has been added to project_ids
expect(
_.find(body, tag => tag.name === 'one').project_ids
).to.deep.equal([this.projectId])
// Remove the project from the tag
this.user.request.delete(
{ url: `/tag/${firstTagId}/project/${this.projectId}` },
(err, response) => {
_expect204(err, response)
// Check tag list again
_getTags(this.user, (err, response, body) => {
_expect200(err, response)
// Check the project has been removed from project_ids
expect(
_.find(body, tag => tag.name === 'one').project_ids
).to.deep.equal([])
done()
})
}
)
})
}
)
})
})
})
it('should not allow another user to add a project to the tag', function (done) {
_createTags(this.user, ['one', 'two'], (err, tags) => {
expect(err).to.not.exist
const firstTagId = tags[0]._id
_getTags(this.user, (err, response, body) => {
_expect200(err, response)
// Confirm that project_ids is empty for this tag
expect(
_.find(body, tag => tag.name === 'one').project_ids
).to.deep.equal([])
// Have the other user try to add their own project to the tag
this.otherUser.createProject(
'rogue project',
(err, rogueProjectId) => {
expect(err).to.not.exist
this.otherUser.request.post(
{ url: `/tag/${firstTagId}/project/${rogueProjectId}` },
(err, response) => {
_expect204(err, response)
// Get original user tags again
_getTags(this.user, (err, response, body) => {
_expect200(err, response)
// Check the rogue project has not been added to project_ids
expect(
_.find(body, tag => tag.name === 'one').project_ids
).to.deep.equal([])
done()
})
}
)
}
)
})
})
})
})
})
| overleaf/web/test/acceptance/src/TagsTests.js/0 | {
"file_path": "overleaf/web/test/acceptance/src/TagsTests.js",
"repo_id": "overleaf",
"token_count": 6183
} | 556 |
const { expect } = require('chai')
const AuthenticationManager = require('../../../../app/src/Features/Authentication/AuthenticationManager')
const Settings = require('@overleaf/settings')
const UserCreator = require('../../../../app/src/Features/User/UserCreator')
const UserGetter = require('../../../../app/src/Features/User/UserGetter')
const UserUpdater = require('../../../../app/src/Features/User/UserUpdater')
const moment = require('moment')
const request = require('request-promise-native')
const { db } = require('../../../../app/src/infrastructure/mongodb')
const { ObjectId } = require('mongodb')
let globalUserNum = Settings.test.counterInit
class UserHelper {
/**
* Create UserHelper
* @param {object} [user] - Mongo User object
*/
constructor(user = null) {
// used for constructing default emails, etc
this.userNum = globalUserNum++
// initialize all internal state properties to defaults
this.reset()
// set user if passed in, may be null
this.user = user
}
/* sync functions */
/**
* Get auditLog, ignore the login
* @return {object[]}
*/
getAuditLogWithoutNoise() {
return (this.user.auditLog || []).filter(entry => {
return entry.operation !== 'login'
})
}
/**
* Generate default email from unique (per instantiation) user number
* @returns {string} email
*/
getDefaultEmail() {
return `test.user.${this.userNum}@example.com`
}
/**
* Generate email, password args object. Default values will be used if
* email and password are not passed in args.
* @param {object} [userData]
* @param {string} [userData.email] email to use
* @param {string} [userData.password] password to use
* @returns {object} email, password object
*/
getDefaultEmailPassword(userData = {}) {
return {
email: this.getDefaultEmail(),
password: this.getDefaultPassword(),
...userData,
}
}
/**
* Generate default password from unique (per instantiation) user number
* @returns {string} password
*/
getDefaultPassword() {
return `New-Password-${this.userNum}!`
}
/**
* (Re)set internal state of UserHelper object.
*/
reset() {
// cached csrf token
this._csrfToken = ''
// used to store mongo user object once created/loaded
this.user = null
// cookie jar
this.jar = request.jar()
// create new request instance
this.request = request.defaults({})
// initialize request instance with default options
this.setRequestDefaults({
baseUrl: UserHelper.baseUrl(),
followRedirect: false,
jar: this.jar,
resolveWithFullResponse: true,
})
}
/* Set defaults for request object. Applied over existing defaults.
* @param {object} [defaults]
*/
setRequestDefaults(defaults = {}) {
// request-promise instance for making requests
this.request = this.request.defaults(defaults)
}
/**
* Make a request for the user and run expectations on the response.
* @param {object} [requestOptions] options to pass to request
* @param {object} [responseExpectations] expectations:
* - {Int} statusCode the expected status code
* - {RegEx} message a matcher for the message
*/
async expectErrorOnRequest(requestOptions, responseExpectations) {
let error
try {
await this.request(requestOptions)
} catch (e) {
error = e
}
expect(error).to.exist
expect(error.statusCode).to.equal(responseExpectations.statusCode)
expect(error.message).to.match(responseExpectations.message)
}
/* async http api call methods */
/**
* Requests csrf token unless already cached in internal state
*/
async getCsrfToken() {
// get csrf token from api and store
const response = await this.request.get('/dev/csrf')
this._csrfToken = response.body
// use csrf token for requests
this.setRequestDefaults({
headers: { 'x-csrf-token': this._csrfToken },
})
}
/**
* Make request to POST /logout
* @param {object} [options] options to pass to request
* @returns {object} http response
*/
async logout(options = {}) {
// do not throw exception on 302
options.simple = false
// post logout
const response = await this.request.post('/logout', options)
if (
response.statusCode !== 302 ||
!response.headers.location.includes('/login')
) {
throw new Error('logout failed')
}
// after logout CSRF token becomes invalid
this._csrfToken = ''
// resolve with http request response
return response
}
/* static sync methods */
/**
* Generates base URL from env options
* @returns {string} baseUrl
*/
static baseUrl() {
return `http://${process.env.HTTP_TEST_HOST || 'localhost'}:3000`
}
/* static async instantiation methods */
/**
* Create a new user via UserCreator and return UserHelper instance
* @param {object} attributes user data for UserCreator
* @param {object} options options for UserCreator
* @returns {UserHelper}
*/
static async createUser(attributes = {}) {
const userHelper = new UserHelper()
attributes = userHelper.getDefaultEmailPassword(attributes)
// hash password and delete plaintext if set
if (attributes.password) {
attributes.hashedPassword = await AuthenticationManager.promises.hashPassword(
attributes.password
)
delete attributes.password
}
userHelper.user = await UserCreator.promises.createNewUser(attributes)
return userHelper
}
/**
* Get existing user via UserGetter and return UserHelper instance.
* All args passed to UserGetter.getUser.
* @returns {UserHelper}
*/
static async getUser(...args) {
const user = await UserGetter.promises.getUser(...args)
if (!user) {
throw new Error(`no user found for args: ${JSON.stringify([...args])}`)
}
return new UserHelper(user)
}
/**
* Update an existing user via UserUpdater and return the updated UserHelper
* instance.
* All args passed to UserUpdater.getUser.
* @returns {UserHelper}
*/
static async updateUser(userId, update) {
// TODO(das7pad): revert back to args pass-through after mongo upgrades
const user = await UserUpdater.promises.updateUser(
{ _id: ObjectId(userId) },
update
)
if (!user) {
throw new Error(`no user found for args: ${JSON.stringify([userId])}`)
}
return new UserHelper(user)
}
/**
* Login to existing account via request and return UserHelper instance
* @param {object} userData
* @param {string} userData.email
* @param {string} userData.password
* @returns {UserHelper}
*/
static async loginUser(userData) {
if (!userData || !userData.email || !userData.password) {
throw new Error('email and password required')
}
const userHelper = new UserHelper()
const loginPath = Settings.enableLegacyLogin ? '/login/legacy' : '/login'
await userHelper.getCsrfToken()
const response = await userHelper.request.post(loginPath, {
json: userData,
})
if (response.statusCode !== 200 || response.body.redir !== '/project') {
const error = new Error('login failed')
error.response = response
throw error
}
userHelper.user = await UserGetter.promises.getUser({
email: userData.email,
})
if (!userHelper.user) {
throw new Error(`user not found for email: ${userData.email}`)
}
await userHelper.getCsrfToken()
return userHelper
}
/**
* Check if user is logged in by requesting an endpoint behind authentication.
* @returns {Boolean}
*/
async isLoggedIn() {
const response = await this.request.get('/user/sessions', {
followRedirect: true,
})
return response.request.path === '/user/sessions'
}
/**
* Register new account via request and return UserHelper instance.
* If userData is not provided the default email and password will be used.
* @param {object} [userData]
* @param {string} [userData.email]
* @param {string} [userData.password]
* @returns {UserHelper}
*/
static async registerUser(userData, options = {}) {
const userHelper = new UserHelper()
await userHelper.getCsrfToken()
userData = userHelper.getDefaultEmailPassword(userData)
options.json = userData
const { body } = await userHelper.request.post('/register', options)
if (body.message && body.message.type === 'error') {
throw new Error(`register api error: ${body.message.text}`)
}
if (body.redir === '/institutional-login') {
throw new Error(
`cannot register intitutional email: ${options.json.email}`
)
}
userHelper.user = await UserGetter.promises.getUser({
email: userData.email,
})
if (!userHelper.user) {
throw new Error(`user not found for email: ${userData.email}`)
}
await userHelper.getCsrfToken()
return userHelper
}
async refreshMongoUser() {
this.user = await UserGetter.promises.getUser({
_id: this.user._id,
})
return this.user
}
async addEmail(email) {
const response = await this.request.post({
form: {
email,
},
simple: false,
uri: '/user/emails',
})
expect(response.statusCode).to.equal(204)
}
async addEmailAndConfirm(userId, email) {
await this.addEmail(email)
await this.confirmEmail(userId, email)
}
async changeConfirmationDate(userId, email, date) {
const query = {
_id: userId,
'emails.email': email,
}
const update = {
$set: {
'emails.$.confirmedAt': date,
'emails.$.reconfirmedAt': date,
},
}
await UserUpdater.promises.updateUser(query, update)
}
async changeConfirmedToNotificationPeriod(
userId,
email,
maxConfirmationMonths
) {
// set a user's confirmation date so that
// it is within the notification period to reconfirm
// but not older than the last day to reconfirm
const notificationDays = Settings.reconfirmNotificationDays
if (!notificationDays) return
const middleOfNotificationPeriod = Math.ceil(notificationDays / 2)
// use the middle of the notification rather than the start or end due to
// variations in days in months.
const lastDayToReconfirm = moment().subtract(
maxConfirmationMonths,
'months'
)
const notificationsStart = lastDayToReconfirm
.add(middleOfNotificationPeriod, 'days')
.toDate()
await this.changeConfirmationDate(userId, email, notificationsStart)
}
async changeConfirmedToPastReconfirmation(
userId,
email,
maxConfirmationMonths
) {
// set a user's confirmation date so that they are past the reconfirmation window
const date = moment()
.subtract(maxConfirmationMonths, 'months')
.subtract(1, 'week')
.toDate()
await this.changeConfirmationDate(userId, email, date)
}
async confirmEmail(userId, email) {
let response
// UserHelper.createUser does not create a confirmation token
response = await this.request.post({
form: {
email,
},
simple: false,
uri: '/user/emails/resend_confirmation',
})
expect(response.statusCode).to.equal(200)
const tokenData = await db.tokens
.find({
use: 'email_confirmation',
'data.user_id': userId.toString(),
'data.email': email,
usedAt: { $exists: false },
})
.next()
response = await this.request.post({
form: {
token: tokenData.token,
},
simple: false,
uri: '/user/emails/confirm',
})
expect(response.statusCode).to.equal(200)
}
}
module.exports = UserHelper
| overleaf/web/test/acceptance/src/helpers/UserHelper.js/0 | {
"file_path": "overleaf/web/test/acceptance/src/helpers/UserHelper.js",
"repo_id": "overleaf",
"token_count": 4171
} | 557 |
const AbstractMockApi = require('./AbstractMockApi')
class MockSpellingApi extends AbstractMockApi {
reset() {
this.words = {}
}
applyRoutes() {
this.app.get('/user/:userId', (req, res) => {
const { userId } = req.params
const words = this.words[userId] || []
res.json(words)
})
this.app.delete('/user/:userId', (req, res) => {
const { userId } = req.params
this.words.delete(userId)
res.sendStatus(200)
})
this.app.post('/user/:userId/learn', (req, res) => {
const word = req.body.word
const { userId } = req.params
if (word) {
this.words[userId] = this.words[userId] || []
if (!this.words[userId].includes(word)) {
this.words[userId].push(word)
}
}
res.sendStatus(200)
})
this.app.post('/user/:userId/unlearn', (req, res) => {
const word = req.body.word
const { userId } = req.params
if (word && this.words[userId]) {
const wordIndex = this.words[userId].indexOf(word)
if (wordIndex !== -1) {
this.words[userId].splice(wordIndex, 1)
}
}
res.sendStatus(200)
})
}
}
module.exports = MockSpellingApi
// type hint for the inherited `instance` method
/**
* @function instance
* @memberOf MockSpellingApi
* @static
* @returns {MockSpellingApi}
*/
| overleaf/web/test/acceptance/src/mocks/MockSpellingApi.js/0 | {
"file_path": "overleaf/web/test/acceptance/src/mocks/MockSpellingApi.js",
"repo_id": "overleaf",
"token_count": 612
} | 558 |
import sinon from 'sinon'
export const contextProps = {
projectId: 'test-project',
hasWritePermissions: true,
userHasFeature: () => true,
refProviders: { mendeley: false, zotero: false },
reindexReferences: () => {
console.log('reindex references')
},
setRefProviderEnabled: provider => {
console.log(`ref provider ${provider} enabled`)
},
setStartedFreeTrial: () => {
console.log('started free trial')
},
rootFolder: [
{
docs: [{ _id: 'entity-1' }],
fileRefs: [],
folders: [],
},
],
initialSelectedEntityId: 'entity-1',
onSelect: sinon.stub(),
}
| overleaf/web/test/frontend/features/file-tree/components/file-tree-create/context-props.js/0 | {
"file_path": "overleaf/web/test/frontend/features/file-tree/components/file-tree-create/context-props.js",
"repo_id": "overleaf",
"token_count": 235
} | 559 |
import { expect } from 'chai'
import iconTypeFromName from '../../../../../frontend/js/features/file-tree/util/icon-type-from-name'
describe('iconTypeFromName', function () {
it('returns correct icon type', function () {
expect(iconTypeFromName('main.tex')).to.equal('file')
expect(iconTypeFromName('main.png')).to.equal('image')
expect(iconTypeFromName('main.csv')).to.equal('table')
expect(iconTypeFromName('main.py')).to.equal('file-text')
expect(iconTypeFromName('main.bib')).to.equal('book')
})
it('handles missing extensions', function () {
expect(iconTypeFromName('main')).to.equal('file')
})
it('lowercases extension', function () {
expect(iconTypeFromName('ZOTERO.BIB')).to.equal('book')
})
})
| overleaf/web/test/frontend/features/file-tree/util/icon-type-from-name.test.js/0 | {
"file_path": "overleaf/web/test/frontend/features/file-tree/util/icon-type-from-name.test.js",
"repo_id": "overleaf",
"token_count": 263
} | 560 |
import { screen, render, fireEvent } from '@testing-library/react'
import PreviewPane from '../../../../../frontend/js/features/preview/components/preview-pane'
const { expect } = require('chai')
describe('<PreviewPane />', function () {
const sampleError1 = {
content: 'error 1 content',
file: 'main.tex',
level: 'error',
line: 17,
message: 'Misplaced alignment tab character &.',
}
const sampleError2 = {
content: 'error 1 content',
file: 'main.tex',
level: 'error',
line: 22,
message: 'Extra alignment tab has been changed to cr.',
}
const sampleWarning = {
file: 'main.tex',
level: 'warning',
line: 30,
message: "Reference `idontexist' on page 1 undefined on input line 30.",
}
describe('first error pop-up', function () {
it('renders a first error pop-up with the first error', function () {
const propsAfterCompileWithErrors = getProps(false, {
errors: [sampleError1, sampleError2],
warnings: [sampleWarning],
})
render(<PreviewPane {...propsAfterCompileWithErrors} />)
screen.getByRole('alertdialog', {
name: 'This project has errors. This is the first one.',
})
screen.getByText(sampleError1.message)
})
it('does not render a first error pop-up when there are only warnings', function () {
const propsAfterCompileWithWarningsOnly = getProps(false, {
errors: [],
warnings: [sampleWarning],
})
render(<PreviewPane {...propsAfterCompileWithWarningsOnly} />)
expect(
screen.queryByRole('alertdialog', {
name: 'This project has errors. This is the first one.',
})
).to.not.exist
})
it('does not render a first error pop-up when a compile is ongoing', function () {
const propsWhileCompiling = getProps(true, {
errors: [sampleError1, sampleError2],
warnings: [sampleWarning],
})
render(<PreviewPane {...propsWhileCompiling} />)
expect(
screen.queryByRole('alertdialog', {
name: 'This project has errors. This is the first one.',
})
).to.not.exist
})
it('does not render a first error pop-up when viewing logs', function () {
const propsWithErrorsViewingLogs = getProps(
false,
{
errors: [sampleError1, sampleError2],
warnings: [sampleWarning],
},
Date.now(),
true
)
render(<PreviewPane {...propsWithErrorsViewingLogs} />)
expect(
screen.queryByRole('alertdialog', {
name: 'This project has errors. This is the first one.',
})
).to.not.exist
})
it('does not render a first error pop-up when going back to the PDF view after viewing logs', function () {
const nowTimestamp = Date.now()
const propsWithErrorsViewingLogs = getProps(
false,
{
errors: [sampleError1, sampleError2],
warnings: [sampleWarning],
},
nowTimestamp,
true
)
const propsWithErrorsAfterViewingLogs = getProps(
false,
{
errors: [sampleError1, sampleError2],
warnings: [sampleWarning],
},
nowTimestamp,
false
)
const { rerender } = render(
<PreviewPane {...propsWithErrorsViewingLogs} />
)
rerender(<PreviewPane {...propsWithErrorsAfterViewingLogs} />)
expect(
screen.queryByRole('alertdialog', {
name: 'This project has errors. This is the first one.',
})
).to.not.exist
})
it('renders a first error pop-up with updated errors after recompiling', function () {
const nowTimestamp = Date.now()
const laterTimestamp = Date.now() + 1000
const propsWithErrorsAfterFirstCompile = getProps(
false,
{
errors: [sampleError1, sampleError2],
warnings: [sampleWarning],
},
nowTimestamp,
true
)
const propsWithErrorsAfterSecondCompile = getProps(
false,
{
errors: [sampleError2],
warnings: [sampleWarning],
},
laterTimestamp,
false
)
const { rerender } = render(
<PreviewPane {...propsWithErrorsAfterFirstCompile} />
)
rerender(<PreviewPane {...propsWithErrorsAfterSecondCompile} />)
screen.getByRole('alertdialog', {
name: 'This project has errors. This is the first one.',
})
screen.getByText(sampleError2.message)
})
it('allows dismissing the first error pop-up', function () {
const propsWithErrors = getProps(false, {
errors: [sampleError1, sampleError2],
warnings: [sampleWarning],
})
render(<PreviewPane {...propsWithErrors} />)
const dismissPopUpButton = screen.getByRole('button', {
name: 'Dismiss first error alert',
})
fireEvent.click(dismissPopUpButton)
expect(
screen.queryByRole('alertdialog', {
name: 'This project has errors. This is the first one.',
})
).to.not.exist
})
it('does not render the first error pop-up with new recompiles after it being dismissed once', function () {
const nowTimestamp = Date.now()
const laterTimestamp = Date.now() + 1000
const propsWithErrorsForFirstCompile = getProps(
false,
{
errors: [sampleError1, sampleError2],
warnings: [sampleWarning],
},
nowTimestamp
)
const propsWithErrorsForSecondCompile = getProps(
false,
{
errors: [sampleError2],
warnings: [sampleWarning],
},
laterTimestamp
)
const { rerender } = render(
<PreviewPane {...propsWithErrorsForFirstCompile} />
)
const dismissPopUpButton = screen.getByRole('button', {
name: 'Dismiss first error alert',
})
fireEvent.click(dismissPopUpButton)
rerender(<PreviewPane {...propsWithErrorsForSecondCompile} />)
expect(
screen.queryByRole('alertdialog', {
name: 'This project has errors. This is the first one.',
})
).to.not.exist
})
})
describe('accessible description of the compile result', function () {
it('renders an accessible description with the errors and warnings count', function () {
const errors = [sampleError1, sampleError2]
const warnings = [sampleWarning]
const propsWithErrorsAndWarnings = getProps(false, {
errors,
warnings,
})
render(<PreviewPane {...propsWithErrorsAndWarnings} />)
screen.getByText(`${errors.length} error${errors.length > 1 ? 's' : ''}`)
screen.getByText(
`${warnings.length} warning${warnings.length > 1 ? 's' : ''}`
)
})
it('renders an accessible description for failed compiles with CLSI errors', function () {
const sampleCLSIError = {
clsiMaintenance: true,
}
const propsWithCLSIError = getProps(
false,
{},
Date.now(),
false,
true,
{},
sampleCLSIError
)
render(<PreviewPane {...propsWithCLSIError} />)
screen.getByText('This project did not compile because of an error')
})
it('renders an accessible description for failed compiles with validation issues', function () {
const sampleValidationIssue = {
clsiMaintenance: true,
}
const propsWithValidationIssue = getProps(
false,
{},
Date.now(),
false,
true,
sampleValidationIssue,
{}
)
render(<PreviewPane {...propsWithValidationIssue} />)
screen.getByText(
'This project did not compile because of a validation issue'
)
})
})
function getProps(
isCompiling = false,
logEntries = {},
lastCompileTimestamp = Date.now(),
isShowingLogs = false,
compileFailed = false,
validationIssues = {},
errors = {}
) {
const logEntriesWithDefaults = {
errors: [],
warnings: [],
typesetting: [],
...logEntries,
}
logEntriesWithDefaults.all = [
...logEntriesWithDefaults.errors,
...logEntriesWithDefaults.warnings,
...logEntriesWithDefaults.typesetting,
]
return {
compilerState: {
autoCompileHasChanges: false,
isAutoCompileOn: false,
isCompiling: isCompiling,
isClearingCache: false,
isDraftModeOn: false,
isSyntaxCheckOn: false,
lastCompileTimestamp,
logEntries: logEntriesWithDefaults,
compileFailed,
validationIssues,
errors,
},
onClearCache: () => {},
onLogEntryLocationClick: () => {},
onRecompile: () => {},
onRecompileFromScratch: () => {},
onRunSyntaxCheckNow: () => {},
onSetAutoCompile: () => {},
onSetDraftMode: () => {},
onSetSyntaxCheck: () => {},
onToggleLogs: () => {},
onSetSplitLayout: () => {},
onSetFullLayout: () => {},
onStopCompilation: () => {},
showLogs: isShowingLogs,
splitLayout: true,
}
}
})
| overleaf/web/test/frontend/features/preview/components/preview-pane.test.js/0 | {
"file_path": "overleaf/web/test/frontend/features/preview/components/preview-pane.test.js",
"repo_id": "overleaf",
"token_count": 3916
} | 561 |
import { expect } from 'chai'
import { getHueForUserId } from '../../../../frontend/js/shared/utils/colors'
describe('colors', function () {
const currentUser = '5bf7dab7a18b0b7a1cf6738c'
describe('getHueForUserId', function () {
it('returns the OWN_HUE for the current user', function () {
expect(getHueForUserId(currentUser, currentUser)).to.equal(200)
})
it('returns the ANONYMOUS_HUE for an anonymous user', function () {
expect(getHueForUserId()).to.equal(100)
expect(getHueForUserId('anonymous-user')).to.equal(100)
})
it('generates a hue based on user id', function () {
expect(getHueForUserId('59ad79f46337430b3d37cb9e', currentUser)).to.equal(
146
)
})
it('shifts the hue away from the OWN_HUE if it is within a threshold', function () {
// Ordinarily, this user id would generate a hue of 183. However, this is
// visually "too close" to the OWN_HUE, meaning that it could be
// misinterpreted. Therefore we shift it away
expect(getHueForUserId('20ad79f46337430b3d37cb9f', currentUser)).to.equal(
323
)
})
})
})
| overleaf/web/test/frontend/shared/utils/colors.test.js/0 | {
"file_path": "overleaf/web/test/frontend/shared/utils/colors.test.js",
"repo_id": "overleaf",
"token_count": 452
} | 562 |
async function processWithTimeout({ work, timeout, message }) {
let workDeadLine
function checkInResults() {
clearTimeout(workDeadLine)
}
await Promise.race([
new Promise((resolve, reject) => {
workDeadLine = setTimeout(() => {
reject(new Error(message))
}, timeout)
}),
work.finally(checkInResults),
])
}
module.exports = {
processWithTimeout,
}
| overleaf/web/test/smoke/src/support/timeoutHelper.js/0 | {
"file_path": "overleaf/web/test/smoke/src/support/timeoutHelper.js",
"repo_id": "overleaf",
"token_count": 144
} | 563 |
const { promisify } = require('util')
const SandboxedModule = require('sandboxed-module')
const path = require('path')
const sinon = require('sinon')
const { expect } = require('chai')
const Errors = require('../../../../app/src/Features/Errors/Errors')
const { Project } = require('../helpers/models/Project')
const { ObjectId } = require('mongodb')
const MODULE_PATH = path.join(
__dirname,
'../../../../app/src/Features/Collaborators/CollaboratorsHandler'
)
const sleep = promisify(setTimeout)
describe('CollaboratorsHandler', function () {
beforeEach(function () {
this.userId = ObjectId()
this.addingUserId = ObjectId()
this.project = {
_id: ObjectId(),
}
this.archivedProject = {
_id: ObjectId(),
archived: [ObjectId(this.userId)],
}
this.oldArchivedProject = {
_id: ObjectId(),
archived: true,
}
this.UserGetter = {
promises: {
getUser: sinon.stub().resolves(null),
},
}
this.ContactManager = {
addContact: sinon.stub(),
}
this.ProjectMock = sinon.mock(Project)
this.TpdsProjectFlusher = {
promises: {
flushProjectToTpds: sinon.stub().resolves(),
},
}
this.ProjectGetter = {
promises: {
getProject: sinon.stub().resolves(this.project),
},
}
this.ProjectHelper = {
calculateArchivedArray: sinon.stub(),
}
this.CollaboratorsGetter = {
promises: {
getProjectsUserIsMemberOf: sinon.stub(),
},
}
this.CollaboratorsHandler = SandboxedModule.require(MODULE_PATH, {
requires: {
'../User/UserGetter': this.UserGetter,
'../Contacts/ContactManager': this.ContactManager,
'../../models/Project': { Project },
'../ThirdPartyDataStore/TpdsProjectFlusher': this.TpdsProjectFlusher,
'../Project/ProjectGetter': this.ProjectGetter,
'../Project/ProjectHelper': this.ProjectHelper,
'./CollaboratorsGetter': this.CollaboratorsGetter,
},
})
})
afterEach(function () {
this.ProjectMock.verify()
})
describe('removeUserFromProject', function () {
describe('a non-archived project', function () {
beforeEach(function () {
this.ProjectMock.expects('findOne')
.withArgs({
_id: this.project._id,
})
.chain('exec')
.resolves(this.project)
})
it('should remove the user from mongo', async function () {
this.ProjectMock.expects('updateOne')
.withArgs(
{
_id: this.project._id,
},
{
$pull: {
collaberator_refs: this.userId,
readOnly_refs: this.userId,
tokenAccessReadOnly_refs: this.userId,
tokenAccessReadAndWrite_refs: this.userId,
archived: this.userId,
trashed: this.userId,
},
}
)
.chain('exec')
.resolves()
await this.CollaboratorsHandler.promises.removeUserFromProject(
this.project._id,
this.userId
)
})
})
describe('an archived project, archived with a boolean value', function () {
beforeEach(function () {
const archived = [ObjectId(this.userId)]
this.ProjectHelper.calculateArchivedArray.returns(archived)
this.ProjectMock.expects('findOne')
.withArgs({
_id: this.oldArchivedProject._id,
})
.chain('exec')
.resolves(this.oldArchivedProject)
})
it('should remove the user from mongo', async function () {
this.ProjectMock.expects('updateOne')
.withArgs(
{
_id: this.oldArchivedProject._id,
},
{
$set: {
archived: [],
},
$pull: {
collaberator_refs: this.userId,
readOnly_refs: this.userId,
tokenAccessReadOnly_refs: this.userId,
tokenAccessReadAndWrite_refs: this.userId,
trashed: this.userId,
},
}
)
.resolves()
await this.CollaboratorsHandler.promises.removeUserFromProject(
this.oldArchivedProject._id,
this.userId
)
})
})
describe('an archived project, archived with an array value', function () {
beforeEach(function () {
this.ProjectMock.expects('findOne')
.withArgs({
_id: this.archivedProject._id,
})
.chain('exec')
.resolves(this.archivedProject)
})
it('should remove the user from mongo', async function () {
this.ProjectMock.expects('updateOne')
.withArgs(
{
_id: this.archivedProject._id,
},
{
$pull: {
collaberator_refs: this.userId,
readOnly_refs: this.userId,
tokenAccessReadOnly_refs: this.userId,
tokenAccessReadAndWrite_refs: this.userId,
archived: this.userId,
trashed: this.userId,
},
}
)
.resolves()
await this.CollaboratorsHandler.promises.removeUserFromProject(
this.archivedProject._id,
this.userId
)
})
})
})
describe('addUserIdToProject', function () {
describe('as readOnly', function () {
beforeEach(async function () {
this.ProjectMock.expects('updateOne')
.withArgs(
{
_id: this.project._id,
},
{
$addToSet: { readOnly_refs: this.userId },
}
)
.chain('exec')
.resolves()
await this.CollaboratorsHandler.promises.addUserIdToProject(
this.project._id,
this.addingUserId,
this.userId,
'readOnly'
)
})
it('should flush the project to the TPDS', function () {
expect(
this.TpdsProjectFlusher.promises.flushProjectToTpds
).to.have.been.calledWith(this.project._id)
})
it('should add the user as a contact for the adding user', function () {
expect(this.ContactManager.addContact).to.have.been.calledWith(
this.addingUserId,
this.userId
)
})
})
describe('as readAndWrite', function () {
beforeEach(async function () {
this.ProjectMock.expects('updateOne')
.withArgs(
{
_id: this.project._id,
},
{
$addToSet: { collaberator_refs: this.userId },
}
)
.chain('exec')
.resolves()
await this.CollaboratorsHandler.promises.addUserIdToProject(
this.project._id,
this.addingUserId,
this.userId,
'readAndWrite'
)
})
it('should flush the project to the TPDS', function () {
expect(
this.TpdsProjectFlusher.promises.flushProjectToTpds
).to.have.been.calledWith(this.project._id)
})
})
describe('with invalid privilegeLevel', function () {
it('should call the callback with an error', async function () {
await expect(
this.CollaboratorsHandler.promises.addUserIdToProject(
this.project._id,
this.addingUserId,
this.userId,
'notValid'
)
).to.be.rejected
})
})
describe('when user already exists as a collaborator', function () {
beforeEach(function () {
this.project.collaberator_refs = [this.userId]
})
it('should not add the user again', async function () {
await this.CollaboratorsHandler.promises.addUserIdToProject(
this.project._id,
this.addingUserId,
this.userId,
'readAndWrite'
)
// Project.updateOne() should not be called. If it is, it will fail because
// the mock is not set up.
})
})
describe('with null addingUserId', function () {
beforeEach(function () {
this.CollaboratorsHandler.promises.addUserIdToProject(
this.project._id,
null,
this.userId,
'readAndWrite',
this.callback
)
})
it('should not add the adding user as a contact', function () {
expect(this.ContactManager.addContact).not.to.have.been.called
})
})
})
describe('removeUserFromAllProjects', function () {
it('should remove the user from each project', async function () {
this.CollaboratorsGetter.promises.getProjectsUserIsMemberOf
.withArgs(this.userId, { _id: 1 })
.resolves({
readAndWrite: [
{ _id: 'read-and-write-0' },
{ _id: 'read-and-write-1' },
],
readOnly: [{ _id: 'read-only-0' }, { _id: 'read-only-1' }],
tokenReadAndWrite: [
{ _id: 'token-read-and-write-0' },
{ _id: 'token-read-and-write-1' },
],
tokenReadOnly: [
{ _id: 'token-read-only-0' },
{ _id: 'token-read-only-1' },
],
})
const expectedProjects = [
'read-and-write-0',
'read-and-write-1',
'read-only-0',
'read-only-1',
'token-read-and-write-0',
'token-read-and-write-1',
'token-read-only-0',
'token-read-only-1',
]
for (const projectId of expectedProjects) {
this.ProjectMock.expects('findOne')
.withArgs({
_id: projectId,
})
.chain('exec')
.resolves({ _id: projectId })
this.ProjectMock.expects('updateOne')
.withArgs(
{
_id: projectId,
},
{
$pull: {
collaberator_refs: this.userId,
readOnly_refs: this.userId,
tokenAccessReadOnly_refs: this.userId,
tokenAccessReadAndWrite_refs: this.userId,
archived: this.userId,
trashed: this.userId,
},
}
)
.resolves()
}
await this.CollaboratorsHandler.promises.removeUserFromAllProjects(
this.userId
)
})
})
describe('transferProjects', function () {
beforeEach(function () {
this.fromUserId = ObjectId()
this.toUserId = ObjectId()
this.projects = [
{
_id: ObjectId(),
},
{
_id: ObjectId(),
},
]
this.ProjectMock.expects('find')
.withArgs({
$or: [
{ owner_ref: this.fromUserId },
{ collaberator_refs: this.fromUserId },
{ readOnly_refs: this.fromUserId },
],
})
.chain('exec')
.resolves(this.projects)
this.ProjectMock.expects('updateMany')
.withArgs(
{ owner_ref: this.fromUserId },
{ $set: { owner_ref: this.toUserId } }
)
.chain('exec')
.resolves()
this.ProjectMock.expects('updateMany')
.withArgs(
{ collaberator_refs: this.fromUserId },
{
$addToSet: { collaberator_refs: this.toUserId },
}
)
.chain('exec')
.resolves()
this.ProjectMock.expects('updateMany')
.withArgs(
{ collaberator_refs: this.fromUserId },
{
$pull: { collaberator_refs: this.fromUserId },
}
)
.chain('exec')
.resolves()
this.ProjectMock.expects('updateMany')
.withArgs(
{ readOnly_refs: this.fromUserId },
{
$addToSet: { readOnly_refs: this.toUserId },
}
)
.chain('exec')
.resolves()
this.ProjectMock.expects('updateMany')
.withArgs(
{ readOnly_refs: this.fromUserId },
{
$pull: { readOnly_refs: this.fromUserId },
}
)
.chain('exec')
.resolves()
})
describe('successfully', function () {
it('should flush each project to the TPDS', async function () {
await this.CollaboratorsHandler.promises.transferProjects(
this.fromUserId,
this.toUserId
)
await sleep(10) // let the background tasks run
for (const project of this.projects) {
expect(
this.TpdsProjectFlusher.promises.flushProjectToTpds
).to.have.been.calledWith(project._id)
}
})
})
describe('when flushing to TPDS fails', function () {
it('should log an error but not fail', async function () {
this.TpdsProjectFlusher.promises.flushProjectToTpds.rejects(
new Error('oops')
)
await this.CollaboratorsHandler.promises.transferProjects(
this.fromUserId,
this.toUserId
)
await sleep(10) // let the background tasks run
expect(this.logger.err).to.have.been.called
})
})
})
describe('setCollaboratorPrivilegeLevel', function () {
it('sets a collaborator to read-only', async function () {
this.ProjectMock.expects('updateOne')
.withArgs(
{
_id: this.projectId,
$or: [
{ collaberator_refs: this.userId },
{ readOnly_refs: this.userId },
],
},
{
$pull: { collaberator_refs: this.userId },
$addToSet: { readOnly_refs: this.userId },
}
)
.chain('exec')
.resolves({ n: 1 })
await this.CollaboratorsHandler.promises.setCollaboratorPrivilegeLevel(
this.projectId,
this.userId,
'readOnly'
)
})
it('sets a collaborator to read-write', async function () {
this.ProjectMock.expects('updateOne')
.withArgs(
{
_id: this.projectId,
$or: [
{ collaberator_refs: this.userId },
{ readOnly_refs: this.userId },
],
},
{
$addToSet: { collaberator_refs: this.userId },
$pull: { readOnly_refs: this.userId },
}
)
.chain('exec')
.resolves({ n: 1 })
await this.CollaboratorsHandler.promises.setCollaboratorPrivilegeLevel(
this.projectId,
this.userId,
'readAndWrite'
)
})
it('throws a NotFoundError if the project or collaborator does not exist', async function () {
this.ProjectMock.expects('updateOne').chain('exec').resolves({ n: 0 })
await expect(
this.CollaboratorsHandler.promises.setCollaboratorPrivilegeLevel(
this.projectId,
this.userId,
'readAndWrite'
)
).to.be.rejectedWith(Errors.NotFoundError)
})
})
})
| overleaf/web/test/unit/src/Collaborators/CollaboratorsHandlerTests.js/0 | {
"file_path": "overleaf/web/test/unit/src/Collaborators/CollaboratorsHandlerTests.js",
"repo_id": "overleaf",
"token_count": 7540
} | 564 |
/* eslint-disable
max-len,
no-return-assign,
no-unused-vars,
*/
// TODO: This file was created by bulk-decaffeinate.
// Fix any style issues and re-enable lint.
/*
* decaffeinate suggestions:
* DS102: Remove unnecessary code created because of implicit returns
* Full docs: https://github.com/decaffeinate/decaffeinate/blob/master/docs/suggestions.md
*/
const sinon = require('sinon')
const { expect } = require('chai')
const modulePath =
'../../../../app/src/Features/Documents/DocumentController.js'
const SandboxedModule = require('sandboxed-module')
const events = require('events')
const MockRequest = require('../helpers/MockRequest')
const MockResponse = require('../helpers/MockResponse')
const Errors = require('../../../../app/src/Features/Errors/Errors')
describe('DocumentController', function () {
beforeEach(function () {
this.DocumentController = SandboxedModule.require(modulePath, {
requires: {
'../Project/ProjectGetter': (this.ProjectGetter = {}),
'../Project/ProjectLocator': (this.ProjectLocator = {}),
'../Project/ProjectEntityHandler': (this.ProjectEntityHandler = {}),
'../Project/ProjectEntityUpdateHandler': (this.ProjectEntityUpdateHandler = {}),
},
})
this.res = new MockResponse()
this.req = new MockRequest()
this.next = sinon.stub()
this.project_id = 'project-id-123'
this.doc_id = 'doc-id-123'
this.doc_lines = ['one', 'two', 'three']
this.version = 42
this.ranges = { mock: 'ranges' }
this.pathname = '/a/b/c/file.tex'
this.lastUpdatedAt = new Date().getTime()
this.lastUpdatedBy = 'fake-last-updater-id'
return (this.rev = 5)
})
describe('getDocument', function () {
beforeEach(function () {
return (this.req.params = {
Project_id: this.project_id,
doc_id: this.doc_id,
})
})
describe('when the project exists without project history enabled', function () {
beforeEach(function () {
this.project = { _id: this.project_id }
return (this.ProjectGetter.getProject = sinon
.stub()
.callsArgWith(2, null, this.project))
})
describe('when the document exists', function () {
beforeEach(function () {
this.doc = { _id: this.doc_id }
this.ProjectLocator.findElement = sinon
.stub()
.callsArgWith(1, null, this.doc, { fileSystem: this.pathname })
this.ProjectEntityHandler.getDoc = sinon
.stub()
.callsArgWith(
2,
null,
this.doc_lines,
this.rev,
this.version,
this.ranges
)
return this.DocumentController.getDocument(
this.req,
this.res,
this.next
)
})
it('should get the project', function () {
return this.ProjectGetter.getProject
.calledWith(this.project_id, { rootFolder: true, overleaf: true })
.should.equal(true)
})
it('should get the pathname of the document', function () {
return this.ProjectLocator.findElement
.calledWith({
project: this.project,
element_id: this.doc_id,
type: 'doc',
})
.should.equal(true)
})
it('should get the document content', function () {
return this.ProjectEntityHandler.getDoc
.calledWith(this.project_id, this.doc_id)
.should.equal(true)
})
it('should return the document data to the client as JSON', function () {
this.res.type.should.equal('application/json')
return this.res.body.should.equal(
JSON.stringify({
lines: this.doc_lines,
version: this.version,
ranges: this.ranges,
pathname: this.pathname,
})
)
})
})
describe("when the document doesn't exist", function () {
beforeEach(function () {
this.ProjectLocator.findElement = sinon
.stub()
.callsArgWith(1, new Errors.NotFoundError('not found'))
return this.DocumentController.getDocument(
this.req,
this.res,
this.next
)
})
it('should call next with the NotFoundError', function () {
return this.next
.calledWith(sinon.match.instanceOf(Errors.NotFoundError))
.should.equal(true)
})
})
})
describe('when project exists with project history enabled', function () {
beforeEach(function () {
this.doc = { _id: this.doc_id }
this.projectHistoryId = 1234
this.projectHistoryDisplay = true
this.projectHistoryType = 'project-history'
this.project = {
_id: this.project_id,
overleaf: {
history: {
id: this.projectHistoryId,
display: this.projectHistoryDisplay,
},
},
}
this.ProjectGetter.getProject = sinon
.stub()
.callsArgWith(2, null, this.project)
this.ProjectLocator.findElement = sinon
.stub()
.callsArgWith(1, null, this.doc, { fileSystem: this.pathname })
this.ProjectEntityHandler.getDoc = sinon
.stub()
.callsArgWith(
2,
null,
this.doc_lines,
this.rev,
this.version,
this.ranges
)
return this.DocumentController.getDocument(
this.req,
this.res,
this.next
)
})
it('should return the history id and display setting to the client as JSON', function () {
this.res.type.should.equal('application/json')
return this.res.body.should.equal(
JSON.stringify({
lines: this.doc_lines,
version: this.version,
ranges: this.ranges,
pathname: this.pathname,
projectHistoryId: this.projectHistoryId,
projectHistoryType: this.projectHistoryType,
})
)
})
})
describe('when the project does not exist', function () {
beforeEach(function () {
this.ProjectGetter.getProject = sinon.stub().callsArgWith(2, null, null)
return this.DocumentController.getDocument(
this.req,
this.res,
this.next
)
})
it('returns a 404', function () {
return this.res.statusCode.should.equal(404)
})
})
})
describe('setDocument', function () {
beforeEach(function () {
return (this.req.params = {
Project_id: this.project_id,
doc_id: this.doc_id,
})
})
describe('when the document exists', function () {
beforeEach(function () {
this.ProjectEntityUpdateHandler.updateDocLines = sinon.stub().yields()
this.req.body = {
lines: this.doc_lines,
version: this.version,
ranges: this.ranges,
lastUpdatedAt: this.lastUpdatedAt,
lastUpdatedBy: this.lastUpdatedBy,
}
return this.DocumentController.setDocument(
this.req,
this.res,
this.next
)
})
it('should update the document in Mongo', function () {
return sinon.assert.calledWith(
this.ProjectEntityUpdateHandler.updateDocLines,
this.project_id,
this.doc_id,
this.doc_lines,
this.version,
this.ranges,
this.lastUpdatedAt,
this.lastUpdatedBy
)
})
it('should return a successful response', function () {
return this.res.success.should.equal(true)
})
})
describe("when the document doesn't exist", function () {
beforeEach(function () {
this.ProjectEntityUpdateHandler.updateDocLines = sinon
.stub()
.yields(new Errors.NotFoundError('document does not exist'))
this.req.body = { lines: this.doc_lines }
return this.DocumentController.setDocument(
this.req,
this.res,
this.next
)
})
it('should call next with the NotFoundError', function () {
return this.next
.calledWith(sinon.match.instanceOf(Errors.NotFoundError))
.should.equal(true)
})
})
})
})
| overleaf/web/test/unit/src/Documents/DocumentControllerTests.js/0 | {
"file_path": "overleaf/web/test/unit/src/Documents/DocumentControllerTests.js",
"repo_id": "overleaf",
"token_count": 3895
} | 565 |
const { assert, expect } = require('chai')
const sinon = require('sinon')
const SandboxedModule = require('sandboxed-module')
const Errors = require('../../../../app/src/Features/Errors/Errors')
const OError = require('@overleaf/o-error')
const MODULE_PATH = '../../../../app/src/Features/FileStore/FileStoreHandler.js'
describe('FileStoreHandler', function () {
beforeEach(function () {
this.fs = {
createReadStream: sinon.stub(),
lstat: sinon.stub().callsArgWith(1, null, {
isFile() {
return true
},
isDirectory() {
return false
},
}),
}
this.writeStream = {
my: 'writeStream',
on(type, cb) {
if (type === 'response') {
cb({ statusCode: 200 })
}
},
}
this.readStream = { my: 'readStream', on: sinon.stub() }
this.request = sinon.stub()
this.request.head = sinon.stub()
this.filestoreUrl = 'http://filestore.sharelatex.test'
this.settings = {
apis: { filestore: { url: this.filestoreUrl } },
}
this.hashValue = '0123456789'
this.fileArgs = { name: 'upload-filename' }
this.fileId = 'file_id_here'
this.projectId = '1312312312'
this.fsPath = 'uploads/myfile.eps'
this.getFileUrl = (projectId, fileId) =>
`${this.filestoreUrl}/project/${projectId}/file/${fileId}`
this.getProjectUrl = projectId =>
`${this.filestoreUrl}/project/${projectId}`
this.FileModel = class File {
constructor(options) {
;({ name: this.name, hash: this.hash } = options)
this._id = 'file_id_here'
this.rev = 0
if (options.linkedFileData != null) {
this.linkedFileData = options.linkedFileData
}
}
}
this.FileHashManager = {
computeHash: sinon.stub().callsArgWith(1, null, this.hashValue),
}
this.handler = SandboxedModule.require(MODULE_PATH, {
requires: {
'@overleaf/settings': this.settings,
request: this.request,
'./FileHashManager': this.FileHashManager,
// FIXME: need to stub File object here
'../../models/File': {
File: this.FileModel,
},
fs: this.fs,
},
})
})
describe('uploadFileFromDisk', function () {
beforeEach(function () {
this.request.returns(this.writeStream)
})
it('should create read stream', function (done) {
this.fs.createReadStream.returns({
pipe() {},
on(type, cb) {
if (type === 'open') {
cb()
}
},
})
this.handler.uploadFileFromDisk(
this.projectId,
this.fileArgs,
this.fsPath,
() => {
this.fs.createReadStream.calledWith(this.fsPath).should.equal(true)
done()
}
)
})
it('should pipe the read stream to request', function (done) {
this.request.returns(this.writeStream)
this.fs.createReadStream.returns({
on(type, cb) {
if (type === 'open') {
cb()
}
},
pipe: o => {
this.writeStream.should.equal(o)
done()
},
})
this.handler.uploadFileFromDisk(
this.projectId,
this.fileArgs,
this.fsPath,
() => {}
)
})
it('should pass the correct options to request', function (done) {
const fileUrl = this.getFileUrl(this.projectId, this.fileId)
this.fs.createReadStream.returns({
pipe() {},
on(type, cb) {
if (type === 'open') {
cb()
}
},
})
this.handler.uploadFileFromDisk(
this.projectId,
this.fileArgs,
this.fsPath,
() => {
this.request.args[0][0].method.should.equal('post')
this.request.args[0][0].uri.should.equal(fileUrl)
done()
}
)
})
it('should callback with the url and fileRef', function (done) {
const fileUrl = this.getFileUrl(this.projectId, this.fileId)
this.fs.createReadStream.returns({
pipe() {},
on(type, cb) {
if (type === 'open') {
cb()
}
},
})
this.handler.uploadFileFromDisk(
this.projectId,
this.fileArgs,
this.fsPath,
(err, url, fileRef) => {
expect(err).to.not.exist
expect(url).to.equal(fileUrl)
expect(fileRef._id).to.equal(this.fileId)
expect(fileRef.hash).to.equal(this.hashValue)
done()
}
)
})
describe('symlink', function () {
it('should not read file if it is symlink', function (done) {
this.fs.lstat = sinon.stub().callsArgWith(1, null, {
isFile() {
return false
},
isDirectory() {
return false
},
})
this.handler.uploadFileFromDisk(
this.projectId,
this.fileArgs,
this.fsPath,
() => {
this.fs.createReadStream.called.should.equal(false)
done()
}
)
})
it('should not read file stat returns nothing', function (done) {
this.fs.lstat = sinon.stub().callsArgWith(1, null, null)
this.handler.uploadFileFromDisk(
this.projectId,
this.fileArgs,
this.fsPath,
() => {
this.fs.createReadStream.called.should.equal(false)
done()
}
)
})
})
describe('when upload fails', function () {
beforeEach(function () {
this.writeStream.on = function (type, cb) {
if (type === 'response') {
cb({ statusCode: 500 })
}
}
})
it('should callback with an error', function (done) {
this.fs.createReadStream.callCount = 0
this.fs.createReadStream.returns({
pipe() {},
on(type, cb) {
if (type === 'open') {
cb()
}
},
})
this.handler.uploadFileFromDisk(
this.projectId,
this.fileArgs,
this.fsPath,
err => {
expect(err).to.exist
expect(err).to.be.instanceof(Error)
expect(this.fs.createReadStream.callCount).to.equal(
this.handler.RETRY_ATTEMPTS
)
done()
}
)
})
})
})
describe('deleteFile', function () {
it('should send a delete request to filestore api', function (done) {
const fileUrl = this.getFileUrl(this.projectId, this.fileId)
this.request.callsArgWith(1, null)
this.handler.deleteFile(this.projectId, this.fileId, err => {
assert.equal(err, undefined)
this.request.args[0][0].method.should.equal('delete')
this.request.args[0][0].uri.should.equal(fileUrl)
done()
})
})
it('should return the error if there is one', function (done) {
const error = 'my error'
this.request.callsArgWith(1, error)
this.handler.deleteFile(this.projectId, this.fileId, err => {
assert.equal(err, error)
done()
})
})
})
describe('deleteProject', function () {
it('should send a delete request to filestore api', function (done) {
const projectUrl = this.getProjectUrl(this.projectId)
this.request.callsArgWith(1, null)
this.handler.deleteProject(this.projectId, err => {
assert.equal(err, undefined)
this.request.args[0][0].method.should.equal('delete')
this.request.args[0][0].uri.should.equal(projectUrl)
done()
})
})
it('should wrap the error if there is one', function (done) {
const error = new Error('my error')
this.request.callsArgWith(1, error)
this.handler.deleteProject(this.projectId, err => {
expect(OError.getFullStack(err)).to.match(
/something went wrong deleting a project in filestore/
)
expect(OError.getFullStack(err)).to.match(/my error/)
done()
})
})
})
describe('getFileStream', function () {
beforeEach(function () {
this.query = {}
this.request.returns(this.readStream)
})
it('should get the stream with the correct params', function (done) {
const fileUrl = this.getFileUrl(this.projectId, this.fileId)
this.handler.getFileStream(
this.projectId,
this.fileId,
this.query,
(err, stream) => {
if (err) {
return done(err)
}
this.request.args[0][0].method.should.equal('get')
this.request.args[0][0].uri.should.equal(fileUrl)
done()
}
)
})
it('should get stream from request', function (done) {
this.handler.getFileStream(
this.projectId,
this.fileId,
this.query,
(err, stream) => {
if (err) {
return done(err)
}
stream.should.equal(this.readStream)
done()
}
)
})
it('should add an error handler', function (done) {
this.handler.getFileStream(
this.projectId,
this.fileId,
this.query,
(err, stream) => {
if (err) {
return done(err)
}
stream.on.calledWith('error').should.equal(true)
done()
}
)
})
describe('when range is specified in query', function () {
beforeEach(function () {
this.query = { range: '0-10' }
})
it('should add a range header', function (done) {
this.handler.getFileStream(
this.projectId,
this.fileId,
this.query,
(err, stream) => {
if (err) {
return done(err)
}
this.request.callCount.should.equal(1)
const { headers } = this.request.firstCall.args[0]
expect(headers).to.have.keys('range')
expect(headers.range).to.equal('bytes=0-10')
done()
}
)
})
describe('when range is invalid', function () {
;['0-', '-100', 'one-two', 'nonsense'].forEach(r => {
beforeEach(function () {
this.query = { range: `${r}` }
})
it(`should not add a range header for '${r}'`, function (done) {
this.handler.getFileStream(
this.projectId,
this.fileId,
this.query,
(err, stream) => {
if (err) {
return done(err)
}
this.request.callCount.should.equal(1)
const { headers } = this.request.firstCall.args[0]
expect(headers).to.not.have.keys('range')
done()
}
)
})
})
})
})
})
describe('getFileSize', function () {
it('returns the file size reported by filestore', function (done) {
const expectedFileSize = 32432
const fileUrl = this.getFileUrl(this.projectId, this.fileId)
this.request.head.yields(
new Error('request.head() received unexpected arguments')
)
this.request.head.withArgs(fileUrl).yields(null, {
statusCode: 200,
headers: {
'content-length': expectedFileSize,
},
})
this.handler.getFileSize(this.projectId, this.fileId, (err, fileSize) => {
if (err) {
return done(err)
}
expect(fileSize).to.equal(expectedFileSize)
done()
})
})
it('throws a NotFoundError on a 404 from filestore', function (done) {
this.request.head.yields(null, { statusCode: 404 })
this.handler.getFileSize(this.projectId, this.fileId, err => {
expect(err).to.be.instanceof(Errors.NotFoundError)
done()
})
})
it('throws an error on a non-200 from filestore', function (done) {
this.request.head.yields(null, { statusCode: 500 })
this.handler.getFileSize(this.projectId, this.fileId, err => {
expect(err).to.be.instanceof(Error)
done()
})
})
it('rethrows errors from filestore', function (done) {
this.request.head.yields(new Error())
this.handler.getFileSize(this.projectId, this.fileId, err => {
expect(err).to.be.instanceof(Error)
done()
})
})
})
describe('copyFile', function () {
beforeEach(function () {
this.newProjectId = 'new project'
this.newFileId = 'new file id'
})
it('should post json', function (done) {
const newFileUrl = this.getFileUrl(this.newProjectId, this.newFileId)
this.request.callsArgWith(1, null, { statusCode: 200 })
this.handler.copyFile(
this.projectId,
this.fileId,
this.newProjectId,
this.newFileId,
() => {
this.request.args[0][0].method.should.equal('put')
this.request.args[0][0].uri.should.equal(newFileUrl)
this.request.args[0][0].json.source.project_id.should.equal(
this.projectId
)
this.request.args[0][0].json.source.file_id.should.equal(this.fileId)
done()
}
)
})
it('returns the url', function (done) {
const expectedUrl = this.getFileUrl(this.newProjectId, this.newFileId)
this.request.callsArgWith(1, null, { statusCode: 200 })
this.handler.copyFile(
this.projectId,
this.fileId,
this.newProjectId,
this.newFileId,
(err, url) => {
if (err) {
return done(err)
}
url.should.equal(expectedUrl)
done()
}
)
})
it('should return the err', function (done) {
const error = new Error('error')
this.request.callsArgWith(1, error)
this.handler.copyFile(
this.projectId,
this.fileId,
this.newProjectId,
this.newFileId,
err => {
err.should.equal(error)
done()
}
)
})
it('should return an error for a non-success statusCode', function (done) {
this.request.callsArgWith(1, null, { statusCode: 500 })
this.handler.copyFile(
this.projectId,
this.fileId,
this.newProjectId,
this.newFileId,
err => {
err.should.be.an('error')
err.message.should.equal(
'non-ok response from filestore for copyFile: 500'
)
done()
}
)
})
})
})
| overleaf/web/test/unit/src/FileStore/FileStoreHandlerTests.js/0 | {
"file_path": "overleaf/web/test/unit/src/FileStore/FileStoreHandlerTests.js",
"repo_id": "overleaf",
"token_count": 7077
} | 566 |
/* eslint-disable
max-len,
no-return-assign,
*/
// TODO: This file was created by bulk-decaffeinate.
// Fix any style issues and re-enable lint.
/*
* decaffeinate suggestions:
* DS102: Remove unnecessary code created because of implicit returns
* Full docs: https://github.com/decaffeinate/decaffeinate/blob/master/docs/suggestions.md
*/
const { expect } = require('chai')
const sinon = require('sinon')
const modulePath = '../../../../app/src/Features/Metadata/MetaController'
const SandboxedModule = require('sandboxed-module')
describe('MetaController', function () {
beforeEach(function () {
this.projectId = 'somekindofid'
this.EditorRealTimeController = {
emitToRoom: sinon.stub(),
}
this.MetaHandler = {
getAllMetaForProject: sinon.stub(),
getMetaForDoc: sinon.stub(),
}
return (this.MetadataController = SandboxedModule.require(modulePath, {
requires: {
'../Editor/EditorRealTimeController': this.EditorRealTimeController,
'./MetaHandler': this.MetaHandler,
},
}))
})
describe('getMetadata', function () {
beforeEach(function () {
this.fakeLabels = { somedoc: ['a_label'] }
this.MetaHandler.getAllMetaForProject = sinon
.stub()
.callsArgWith(1, null, this.fakeLabels)
this.req = { params: { project_id: this.projectId } }
this.res = { json: sinon.stub() }
return (this.next = sinon.stub())
})
it('should call MetaHandler.getAllMetaForProject', function () {
this.MetadataController.getMetadata(this.req, this.res, this.next)
this.MetaHandler.getAllMetaForProject.callCount.should.equal(1)
return this.MetaHandler.getAllMetaForProject
.calledWith(this.projectId)
.should.equal(true)
})
it('should call not call next with an error', function () {
this.MetadataController.getMetadata(this.req, this.res, this.next)
return this.next.callCount.should.equal(0)
})
it('should send a json response', function () {
this.MetadataController.getMetadata(this.req, this.res, this.next)
this.res.json.callCount.should.equal(1)
return expect(this.res.json.lastCall.args[0]).to.have.all.keys([
'projectId',
'projectMeta',
])
})
describe('when MetaHandler.getAllMetaForProject produces an error', function () {
beforeEach(function () {
this.MetaHandler.getAllMetaForProject = sinon
.stub()
.callsArgWith(1, new Error('woops'))
this.req = { params: { project_id: this.projectId } }
this.res = { json: sinon.stub() }
return (this.next = sinon.stub())
})
it('should call MetaHandler.getAllMetaForProject', function () {
this.MetadataController.getMetadata(this.req, this.res, this.next)
this.MetaHandler.getAllMetaForProject.callCount.should.equal(1)
return this.MetaHandler.getAllMetaForProject
.calledWith(this.projectId)
.should.equal(true)
})
it('should call next with an error', function () {
this.MetadataController.getMetadata(this.req, this.res, this.next)
this.next.callCount.should.equal(1)
return expect(this.next.lastCall.args[0]).to.be.instanceof(Error)
})
it('should not send a json response', function () {
this.MetadataController.getMetadata(this.req, this.res, this.next)
return this.res.json.callCount.should.equal(0)
})
})
})
describe('broadcastMetadataForDoc', function () {
beforeEach(function () {
this.MetaHandler.getMetaForDoc = sinon
.stub()
.callsArgWith(2, null, this.fakeLabels)
this.EditorRealTimeController.emitToRoom = sinon.stub()
this.docId = 'somedoc'
this.res = { sendStatus: sinon.stub(), json: sinon.stub() }
return (this.next = sinon.stub())
})
describe('with broadcast:true', function () {
beforeEach(function () {
this.req = {
params: { project_id: this.projectId, doc_id: this.docId },
body: { broadcast: true },
}
})
it('should call MetaHandler.getMetaForDoc', function () {
this.MetadataController.broadcastMetadataForDoc(
this.req,
this.res,
this.next
)
this.MetaHandler.getMetaForDoc.callCount.should.equal(1)
return this.MetaHandler.getMetaForDoc
.calledWith(this.projectId)
.should.equal(true)
})
it('should call not call next with an error', function () {
this.MetadataController.broadcastMetadataForDoc(
this.req,
this.res,
this.next
)
return this.next.callCount.should.equal(0)
})
it('should send a success response', function () {
this.MetadataController.broadcastMetadataForDoc(
this.req,
this.res,
this.next
)
this.res.sendStatus.callCount.should.equal(1)
return this.res.sendStatus.calledWith(200).should.equal(true)
})
it('should emit a message to room', function () {
this.MetadataController.broadcastMetadataForDoc(
this.req,
this.res,
this.next
)
this.EditorRealTimeController.emitToRoom.callCount.should.equal(1)
const { lastCall } = this.EditorRealTimeController.emitToRoom
expect(lastCall.args[0]).to.equal(this.projectId)
expect(lastCall.args[1]).to.equal('broadcastDocMeta')
return expect(lastCall.args[2]).to.have.all.keys(['docId', 'meta'])
})
})
describe('with broadcast:false', function () {
beforeEach(function () {
this.req = {
params: { project_id: this.projectId, doc_id: this.docId },
body: { broadcast: false },
}
})
it('should call MetaHandler.getMetaForDoc', function () {
this.MetadataController.broadcastMetadataForDoc(
this.req,
this.res,
this.next
)
this.MetaHandler.getMetaForDoc.callCount.should.equal(1)
return this.MetaHandler.getMetaForDoc
.calledWith(this.projectId)
.should.equal(true)
})
it('should call not call next with an error', function () {
this.MetadataController.broadcastMetadataForDoc(
this.req,
this.res,
this.next
)
return this.next.callCount.should.equal(0)
})
it('should send the metadata in the response', function () {
this.MetadataController.broadcastMetadataForDoc(
this.req,
this.res,
this.next
)
this.res.json.callCount.should.equal(1)
return this.res.json
.calledWith({ docId: this.docId, meta: this.fakeLabels })
.should.equal(true)
})
it('should not emit a message to room', function () {
this.MetadataController.broadcastMetadataForDoc(
this.req,
this.res,
this.next
)
return this.EditorRealTimeController.emitToRoom.callCount.should.equal(
0
)
})
})
describe('when MetaHandler.getMetaForDoc produces an error', function () {
beforeEach(function () {
this.MetaHandler.getMetaForDoc = sinon
.stub()
.callsArgWith(2, new Error('woops'))
this.EditorRealTimeController.emitToRoom = sinon.stub()
this.docId = 'somedoc'
this.req = {
params: { project_id: this.projectId, doc_id: this.docId },
body: { broadcast: true },
}
this.res = { json: sinon.stub() }
return (this.next = sinon.stub())
})
it('should call MetaHandler.getMetaForDoc', function () {
this.MetadataController.broadcastMetadataForDoc(
this.req,
this.res,
this.next
)
this.MetaHandler.getMetaForDoc.callCount.should.equal(1)
return this.MetaHandler.getMetaForDoc
.calledWith(this.projectId)
.should.equal(true)
})
it('should call next with an error', function () {
this.MetadataController.broadcastMetadataForDoc(
this.req,
this.res,
this.next
)
this.next.callCount.should.equal(1)
return expect(this.next.lastCall.args[0]).to.be.instanceof(Error)
})
it('should not send a json response', function () {
this.MetadataController.broadcastMetadataForDoc(
this.req,
this.res,
this.next
)
return this.res.json.callCount.should.equal(0)
})
})
})
})
| overleaf/web/test/unit/src/Metadata/MetaControllerTests.js/0 | {
"file_path": "overleaf/web/test/unit/src/Metadata/MetaControllerTests.js",
"repo_id": "overleaf",
"token_count": 3783
} | 567 |
const { expect } = require('chai')
const sinon = require('sinon')
const SandboxedModule = require('sandboxed-module')
const { ObjectId } = require('mongodb')
const MODULE_PATH = '../../../../app/src/Features/Project/ProjectDuplicator.js'
describe('ProjectDuplicator', function () {
beforeEach(function () {
this.doc0 = { _id: 'doc0_id', name: 'rootDocHere' }
this.doc1 = { _id: 'doc1_id', name: 'level1folderDocName' }
this.doc2 = { _id: 'doc2_id', name: 'level2folderDocName' }
this.doc0Lines = ['zero']
this.doc1Lines = ['one']
this.doc2Lines = ['two']
this.file0 = { name: 'file0', _id: 'file0' }
this.file1 = { name: 'file1', _id: 'file1' }
this.file2 = {
name: 'file2',
_id: 'file2',
linkedFileData: { provider: 'url' },
hash: '123456',
}
this.level2folder = {
name: 'level2folderName',
_id: 'level2folderId',
docs: [this.doc2, undefined],
folders: [],
fileRefs: [this.file2],
}
this.level1folder = {
name: 'level1folder',
_id: 'level1folderId',
docs: [this.doc1],
folders: [this.level2folder],
fileRefs: [this.file1, null], // the null is intentional to test null docs/files
}
this.rootFolder = {
name: 'rootFolder',
_id: 'rootFolderId',
docs: [this.doc0],
folders: [this.level1folder, {}],
fileRefs: [this.file0],
}
this.project = {
_id: 'this_is_the_old_project_id',
rootDoc_id: this.doc0._id,
rootFolder: [this.rootFolder],
compiler: 'this_is_a_Compiler',
}
this.doc0Path = '/rootDocHere'
this.doc1Path = '/level1folder/level1folderDocName'
this.doc2Path = '/level1folder/level2folderName/level2folderDocName'
this.file0Path = '/file0'
this.file1Path = '/level1folder/file1'
this.file2Path = '/level1folder/level2folderName/file2'
this.docContents = [
{ _id: this.doc0._id, lines: this.doc0Lines },
{ _id: this.doc1._id, lines: this.doc1Lines },
{ _id: this.doc2._id, lines: this.doc2Lines },
]
this.rootDoc = this.doc0
this.rootDocPath = '/rootDocHere'
this.owner = { _id: 'this_is_the_owner' }
this.newBlankProject = {
_id: 'new_project_id',
overleaf: { history: { id: 339123 } },
readOnly_refs: [],
collaberator_refs: [],
rootFolder: [{ _id: 'new_root_folder_id' }],
}
this.newFolder = { _id: 'newFolderId' }
this.filestoreUrl = 'filestore-url'
this.newProjectVersion = 2
this.newDocId = new ObjectId()
this.newFileId = new ObjectId()
this.newDoc0 = { ...this.doc0, _id: this.newDocId }
this.newDoc1 = { ...this.doc1, _id: this.newDocId }
this.newDoc2 = { ...this.doc2, _id: this.newDocId }
this.newFile0 = { ...this.file0, _id: this.newFileId }
this.newFile1 = { ...this.file1, _id: this.newFileId }
this.newFile2 = { ...this.file2, _id: this.newFileId }
this.docEntries = [
{
path: this.doc0Path,
doc: this.newDoc0,
docLines: this.doc0Lines.join('\n'),
},
{
path: this.doc1Path,
doc: this.newDoc1,
docLines: this.doc1Lines.join('\n'),
},
{
path: this.doc2Path,
doc: this.newDoc2,
docLines: this.doc2Lines.join('\n'),
},
]
this.fileEntries = [
{
path: this.file0Path,
file: this.newFile0,
url: this.filestoreUrl,
},
{
path: this.file1Path,
file: this.newFile1,
url: this.filestoreUrl,
},
{
path: this.file2Path,
file: this.newFile2,
url: this.filestoreUrl,
},
]
this.Doc = sinon
.stub()
.callsFake(props => ({ _id: this.newDocId, ...props }))
this.File = sinon
.stub()
.callsFake(props => ({ _id: this.newFileId, ...props }))
this.DocstoreManager = {
promises: {
updateDoc: sinon.stub().resolves(),
getAllDocs: sinon.stub().resolves(this.docContents),
},
}
this.DocumentUpdaterHandler = {
promises: {
flushProjectToMongo: sinon.stub().resolves(),
updateProjectStructure: sinon.stub().resolves(),
},
}
this.FileStoreHandler = {
promises: {
copyFile: sinon.stub().resolves(this.filestoreUrl),
},
}
this.ProjectCreationHandler = {
promises: {
createBlankProject: sinon.stub().resolves(this.newBlankProject),
},
}
this.ProjectDeleter = {
promises: {
deleteProject: sinon.stub().resolves(),
},
}
this.ProjectEntityMongoUpdateHandler = {
promises: {
createNewFolderStructure: sinon.stub().resolves(this.newProjectVersion),
},
}
this.ProjectEntityUpdateHandler = {
isPathValidForRootDoc: sinon.stub().returns(true),
promises: {
setRootDoc: sinon.stub().resolves(),
},
}
this.ProjectGetter = {
promises: {
getProject: sinon
.stub()
.withArgs(this.project._id)
.resolves(this.project),
},
}
this.ProjectLocator = {
promises: {
findRootDoc: sinon.stub().resolves({
element: this.rootDoc,
path: { fileSystem: this.rootDocPath },
}),
findElementByPath: sinon
.stub()
.withArgs({
project_id: this.newBlankProject._id,
path: this.rootDocPath,
exactCaseMatch: true,
})
.resolves({ element: this.doc0 }),
},
}
this.ProjectOptionsHandler = {
promises: {
setCompiler: sinon.stub().resolves(),
},
}
this.TpdsProjectFlusher = {
promises: {
flushProjectToTpds: sinon.stub().resolves(),
},
}
this.ProjectDuplicator = SandboxedModule.require(MODULE_PATH, {
requires: {
'../../models/Doc': { Doc: this.Doc },
'../../models/File': { File: this.File },
'../Docstore/DocstoreManager': this.DocstoreManager,
'../DocumentUpdater/DocumentUpdaterHandler': this
.DocumentUpdaterHandler,
'../FileStore/FileStoreHandler': this.FileStoreHandler,
'./ProjectCreationHandler': this.ProjectCreationHandler,
'./ProjectDeleter': this.ProjectDeleter,
'./ProjectEntityMongoUpdateHandler': this
.ProjectEntityMongoUpdateHandler,
'./ProjectEntityUpdateHandler': this.ProjectEntityUpdateHandler,
'./ProjectGetter': this.ProjectGetter,
'./ProjectLocator': this.ProjectLocator,
'./ProjectOptionsHandler': this.ProjectOptionsHandler,
'../ThirdPartyDataStore/TpdsProjectFlusher': this.TpdsProjectFlusher,
},
})
})
describe('when the copy succeeds', function () {
beforeEach(async function () {
this.newProjectName = 'New project name'
this.newProject = await this.ProjectDuplicator.promises.duplicate(
this.owner,
this.project._id,
this.newProjectName
)
})
it('should flush the original project to mongo', function () {
this.DocumentUpdaterHandler.promises.flushProjectToMongo.should.have.been.calledWith(
this.project._id
)
})
it('should copy docs to docstore', function () {
for (const docLines of [this.doc0Lines, this.doc1Lines, this.doc2Lines]) {
this.DocstoreManager.promises.updateDoc.should.have.been.calledWith(
this.newProject._id.toString(),
this.newDocId.toString(),
docLines,
0,
{}
)
}
})
it('should copy files to the filestore', function () {
for (const file of [this.file0, this.file1, this.file2]) {
this.FileStoreHandler.promises.copyFile.should.have.been.calledWith(
this.project._id,
file._id,
this.newProject._id,
this.newFileId
)
}
})
it('should create a blank project', function () {
this.ProjectCreationHandler.promises.createBlankProject.should.have.been.calledWith(
this.owner._id,
this.newProjectName
)
this.newProject._id.should.equal(this.newBlankProject._id)
})
it('should use the same compiler', function () {
this.ProjectOptionsHandler.promises.setCompiler.should.have.been.calledWith(
this.newProject._id,
this.project.compiler
)
})
it('should use the same root doc', function () {
this.ProjectEntityUpdateHandler.promises.setRootDoc.should.have.been.calledWith(
this.newProject._id,
this.rootFolder.docs[0]._id
)
})
it('should not copy the collaborators or read only refs', function () {
this.newProject.collaberator_refs.length.should.equal(0)
this.newProject.readOnly_refs.length.should.equal(0)
})
it('should copy all documents and files', function () {
this.ProjectEntityMongoUpdateHandler.promises.createNewFolderStructure.should.have.been.calledWith(
this.newProject._id,
this.docEntries,
this.fileEntries
)
})
it('should notify document updater of changes', function () {
this.DocumentUpdaterHandler.promises.updateProjectStructure.should.have.been.calledWith(
this.newProject._id,
this.newProject.overleaf.history.id,
this.owner._id,
{
newDocs: this.docEntries,
newFiles: this.fileEntries,
newProject: { version: this.newProjectVersion },
}
)
})
it('should flush the project to TPDS', function () {
this.TpdsProjectFlusher.promises.flushProjectToTpds.should.have.been.calledWith(
this.newProject._id
)
})
})
describe('without a root doc', function () {
beforeEach(async function () {
this.ProjectLocator.promises.findRootDoc.resolves({
element: null,
path: null,
})
this.newProject = await this.ProjectDuplicator.promises.duplicate(
this.owner,
this.project._id,
'Copy of project'
)
})
it('should not set the root doc on the copy', function () {
this.ProjectEntityUpdateHandler.promises.setRootDoc.should.not.have.been
.called
})
})
describe('with an invalid root doc', function () {
beforeEach(async function () {
this.ProjectEntityUpdateHandler.isPathValidForRootDoc.returns(false)
this.newProject = await this.ProjectDuplicator.promises.duplicate(
this.owner,
this.project._id,
'Copy of project'
)
})
it('should not set the root doc on the copy', function () {
this.ProjectEntityUpdateHandler.promises.setRootDoc.should.not.have.been
.called
})
})
describe('when there is an error', function () {
beforeEach(async function () {
this.ProjectEntityMongoUpdateHandler.promises.createNewFolderStructure.rejects()
await expect(
this.ProjectDuplicator.promises.duplicate(
this.owner,
this.project._id,
''
)
).to.be.rejected
})
it('should delete the broken cloned project', function () {
this.ProjectDeleter.promises.deleteProject.should.have.been.calledWith(
this.newBlankProject._id
)
})
it('should not delete the original project', function () {
this.ProjectDeleter.promises.deleteProject.should.not.have.been.calledWith(
this.project._id
)
})
})
})
| overleaf/web/test/unit/src/Project/ProjectDuplicatorTests.js/0 | {
"file_path": "overleaf/web/test/unit/src/Project/ProjectDuplicatorTests.js",
"repo_id": "overleaf",
"token_count": 5097
} | 568 |
const SandboxedModule = require('sandboxed-module')
const modulePath = require('path').join(
__dirname,
'../../../../app/src/Features/Referal/ReferalController.js'
)
describe('Referal controller', function () {
beforeEach(function () {
this.controller = SandboxedModule.require(modulePath, {})
})
})
| overleaf/web/test/unit/src/Referal/ReferalControllerTests.js/0 | {
"file_path": "overleaf/web/test/unit/src/Referal/ReferalControllerTests.js",
"repo_id": "overleaf",
"token_count": 101
} | 569 |
const SandboxedModule = require('sandboxed-module')
const { expect } = require('chai')
const modulePath = '../../../../app/src/Features/Subscription/PlansLocator'
const plans = [
{
planCode: 'first',
name: '1st',
price: 800,
features: {},
featureDescription: {},
},
{
planCode: 'second',
name: '2nd',
price: 1500,
features: {},
featureDescription: {},
},
{
planCode: 'third',
name: '3rd',
price: 3000,
features: {},
featureDescription: {},
},
]
describe('PlansLocator', function () {
beforeEach(function () {
this.settings = { plans }
this.PlansLocator = SandboxedModule.require(modulePath, {
requires: {
'@overleaf/settings': this.settings,
},
})
})
describe('findLocalPlanInSettings', function () {
it('should return the found plan', function () {
const plan = this.PlansLocator.findLocalPlanInSettings('second')
expect(plan).to.have.property('name', '2nd')
expect(plan).to.have.property('price', 1500)
})
it('should return null if no matching plan is found', function () {
const plan = this.PlansLocator.findLocalPlanInSettings('gibberish')
expect(plan).to.be.a('null')
})
})
})
| overleaf/web/test/unit/src/Subscription/PlansLocatorTests.js/0 | {
"file_path": "overleaf/web/test/unit/src/Subscription/PlansLocatorTests.js",
"repo_id": "overleaf",
"token_count": 481
} | 570 |
const SandboxedModule = require('sandboxed-module')
const { expect } = require('chai')
const sinon = require('sinon')
const { Tag } = require('../helpers/models/Tag')
const { ObjectId } = require('mongodb')
const modulePath = require('path').join(
__dirname,
'../../../../app/src/Features/Tags/TagsHandler.js'
)
describe('TagsHandler', function () {
beforeEach(function () {
this.userId = ObjectId().toString()
this.callback = sinon.stub()
this.tag = { user_id: this.userId, name: 'some name' }
this.tagId = ObjectId().toString()
this.projectId = ObjectId().toString()
this.mongodb = { ObjectId: ObjectId }
this.TagMock = sinon.mock(Tag)
this.TagsHandler = SandboxedModule.require(modulePath, {
requires: {
'../../infrastructure/mongodb': this.mongodb,
'../../models/Tag': { Tag: Tag },
},
})
})
describe('finding users tags', function () {
it('should find all the documents with that user id', function (done) {
const stubbedTags = [{ name: 'tag1' }, { name: 'tag2' }, { name: 'tag3' }]
this.TagMock.expects('find')
.once()
.withArgs({ user_id: this.userId })
.yields(null, stubbedTags)
this.TagsHandler.getAllTags(this.userId, (err, result) => {
expect(err).to.not.exist
this.TagMock.verify()
expect(result).to.deep.equal(stubbedTags)
done()
})
})
})
describe('createTag', function () {
describe('when insert succeeds', function () {
it('should call insert in mongo', function (done) {
this.TagMock.expects('create')
.withArgs(this.tag)
.once()
.yields(null, this.tag)
this.TagsHandler.createTag(
this.tag.user_id,
this.tag.name,
(err, resultTag) => {
expect(err).to.not.exist
this.TagMock.verify()
expect(resultTag.user_id).to.equal(this.tag.user_id)
expect(resultTag.name).to.equal(this.tag.name)
done()
}
)
})
})
describe('when insert has duplicate key error error', function () {
beforeEach(function () {
this.duplicateKeyError = new Error('Duplicate')
this.duplicateKeyError.code = 11000
})
it('should get tag with findOne and return that tag', function (done) {
this.TagMock.expects('create')
.withArgs(this.tag)
.once()
.yields(this.duplicateKeyError)
this.TagMock.expects('findOne')
.withArgs({ user_id: this.tag.user_id, name: this.tag.name })
.once()
.yields(null, this.tag)
this.TagsHandler.createTag(
this.tag.user_id,
this.tag.name,
(err, resultTag) => {
expect(err).to.not.exist
this.TagMock.verify()
expect(resultTag.user_id).to.equal(this.tag.user_id)
expect(resultTag.name).to.equal(this.tag.name)
done()
}
)
})
})
})
describe('addProjectToTag', function () {
describe('with a valid tag_id', function () {
beforeEach(function () {})
it('should call update in mongo', function (done) {
this.TagMock.expects('findOneAndUpdate')
.once()
.withArgs(
{ _id: this.tagId, user_id: this.userId },
{ $addToSet: { project_ids: this.projectId } }
)
.yields()
this.TagsHandler.addProjectToTag(
this.userId,
this.tagId,
this.projectId,
err => {
expect(err).to.not.exist
this.TagMock.verify()
done()
}
)
})
})
})
describe('addProjectToTagName', function () {
it('should call update in mongo', function (done) {
this.TagMock.expects('updateOne')
.once()
.withArgs(
{ name: this.tag.name, user_id: this.tag.userId },
{ $addToSet: { project_ids: this.projectId } },
{ upsert: true }
)
.yields()
this.TagsHandler.addProjectToTagName(
this.tag.userId,
this.tag.name,
this.projectId,
err => {
expect(err).to.not.exist
this.TagMock.verify()
done()
}
)
})
})
describe('updateTagUserIds', function () {
it('should call update in mongo', function (done) {
this.newUserId = ObjectId().toString()
this.TagMock.expects('updateMany')
.once()
.withArgs(
{ user_id: this.userId },
{ $set: { user_id: this.newUserId } }
)
.yields()
this.TagsHandler.updateTagUserIds(this.userId, this.newUserId, err => {
expect(err).to.not.exist
this.TagMock.verify()
done()
})
})
})
describe('removeProjectFromTag', function () {
describe('with a valid tag_id', function () {
it('should call update in mongo', function (done) {
this.TagMock.expects('updateOne')
.once()
.withArgs(
{
_id: this.tagId,
user_id: this.userId,
},
{
$pull: { project_ids: this.projectId },
}
)
.yields()
this.TagsHandler.removeProjectFromTag(
this.userId,
this.tagId,
this.projectId,
err => {
expect(err).to.not.exist
this.TagMock.verify()
done()
}
)
})
})
})
describe('removeProjectFromAllTags', function () {
it('should pull the project id from the tag', function (done) {
this.TagMock.expects('updateMany')
.once()
.withArgs(
{
user_id: this.userId,
},
{
$pull: { project_ids: this.projectId },
}
)
.yields()
this.TagsHandler.removeProjectFromAllTags(
this.userId,
this.projectId,
err => {
expect(err).to.not.exist
this.TagMock.verify()
done()
}
)
})
})
describe('deleteTag', function () {
describe('with a valid tag_id', function () {
it('should call remove in mongo', function (done) {
this.TagMock.expects('deleteOne')
.once()
.withArgs({ _id: this.tagId, user_id: this.userId })
.yields()
this.TagsHandler.deleteTag(this.userId, this.tagId, err => {
expect(err).to.not.exist
this.TagMock.verify()
done()
})
})
})
})
describe('renameTag', function () {
describe('with a valid tag_id', function () {
it('should call remove in mongo', function (done) {
this.newName = 'new name'
this.TagMock.expects('updateOne')
.once()
.withArgs(
{ _id: this.tagId, user_id: this.userId },
{ $set: { name: this.newName } }
)
.yields()
this.TagsHandler.renameTag(
this.userId,
this.tagId,
this.newName,
err => {
expect(err).to.not.exist
this.TagMock.verify()
done()
}
)
})
})
})
})
| overleaf/web/test/unit/src/Tags/TagsHandlerTests.js/0 | {
"file_path": "overleaf/web/test/unit/src/Tags/TagsHandlerTests.js",
"repo_id": "overleaf",
"token_count": 3628
} | 571 |
const sinon = require('sinon')
const { expect } = require('chai')
const { ObjectId } = require('mongodb')
const SandboxedModule = require('sandboxed-module')
const { User } = require('../helpers/models/User')
const MODULE_PATH = '../../../../app/src/Features/User/UserAuditLogHandler'
describe('UserAuditLogHandler', function () {
beforeEach(function () {
this.userId = ObjectId()
this.initiatorId = ObjectId()
this.action = {
operation: 'clear-sessions',
initiatorId: this.initiatorId,
info: {
sessions: [
{
ip_address: '0:0:0:0',
session_created: '2020-07-15T16:07:57.652Z',
},
],
},
ip: '0:0:0:0',
}
this.UserMock = sinon.mock(User)
this.UserAuditLogHandler = SandboxedModule.require(MODULE_PATH, {
requires: {
'../../models/User': { User },
},
})
})
afterEach(function () {
this.UserMock.restore()
})
describe('addEntry', function () {
describe('success', function () {
beforeEach(function () {
this.dbUpdate = this.UserMock.expects('updateOne')
.chain('exec')
.resolves({ nModified: 1 })
})
it('writes a log', async function () {
await this.UserAuditLogHandler.promises.addEntry(
this.userId,
this.action.operation,
this.action.initiatorId,
this.action.ip,
this.action.info
)
this.UserMock.verify()
})
it('updates the log for password reset operation witout a initiatorId', async function () {
await expect(
this.UserAuditLogHandler.promises.addEntry(
this.userId,
'reset-password',
undefined,
this.action.ip,
this.action.info
)
)
this.UserMock.verify()
})
})
describe('errors', function () {
describe('when the user does not exist', function () {
beforeEach(function () {
this.UserMock.expects('updateOne')
.chain('exec')
.resolves({ nModified: 0 })
})
it('throws an error', async function () {
await expect(
this.UserAuditLogHandler.promises.addEntry(
this.userId,
this.action.operation,
this.action.initiatorId,
this.action.ip,
this.action.info
)
).to.be.rejected
})
})
describe('missing parameters', function () {
it('throws an error when no operation', async function () {
await expect(
this.UserAuditLogHandler.promises.addEntry(
this.userId,
undefined,
this.action.initiatorId,
this.action.ip,
this.action.info
)
).to.be.rejected
})
it('throws an error when no IP', async function () {
await expect(
this.UserAuditLogHandler.promises.addEntry(
this.userId,
this.action.operation,
this.action.initiatorId,
undefined,
this.action.info
)
).to.be.rejected
})
it('throws an error when no initiatorId and not a password reset operation', async function () {
await expect(
this.UserAuditLogHandler.promises.addEntry(
this.userId,
this.action.operation,
undefined,
this.action.ip,
this.action.info
)
).to.be.rejected
})
})
})
})
})
| overleaf/web/test/unit/src/User/UserAuditLogHandlerTests.js/0 | {
"file_path": "overleaf/web/test/unit/src/User/UserAuditLogHandlerTests.js",
"repo_id": "overleaf",
"token_count": 1818
} | 572 |
/* eslint-disable
node/handle-callback-err,
max-len,
no-return-assign,
no-unused-vars,
*/
// TODO: This file was created by bulk-decaffeinate.
// Fix any style issues and re-enable lint.
/*
* decaffeinate suggestions:
* DS102: Remove unnecessary code created because of implicit returns
* Full docs: https://github.com/decaffeinate/decaffeinate/blob/master/docs/suggestions.md
*/
const { expect } = require('chai')
const sinon = require('sinon')
const assertCalledWith = sinon.assert.calledWith
const assertNotCalled = sinon.assert.notCalled
const { ObjectId } = require('mongodb')
const modulePath =
'../../../../app/src/Features/UserMembership/UserMembershipHandler'
const SandboxedModule = require('sandboxed-module')
const Errors = require('../../../../app/src/Features/Errors/Errors')
const EntityConfigs = require('../../../../app/src/Features/UserMembership/UserMembershipEntityConfigs')
describe('UserMembershipHandler', function () {
beforeEach(function () {
this.user = { _id: ObjectId() }
this.newUser = { _id: ObjectId(), email: 'new-user-email@foo.bar' }
this.fakeEntityId = ObjectId()
this.subscription = {
_id: 'mock-subscription-id',
groupPlan: true,
membersLimit: 10,
member_ids: [ObjectId(), ObjectId()],
manager_ids: [ObjectId()],
invited_emails: ['mock-email-1@foo.com'],
teamInvites: [{ email: 'mock-email-1@bar.com' }],
update: sinon.stub().yields(null),
}
this.institution = {
_id: 'mock-institution-id',
v1Id: 123,
managerIds: [ObjectId(), ObjectId(), ObjectId()],
updateOne: sinon.stub().yields(null),
}
this.publisher = {
_id: 'mock-publisher-id',
slug: 'slug',
managerIds: [ObjectId(), ObjectId()],
updateOne: sinon.stub().yields(null),
}
this.UserMembershipViewModel = {
buildAsync: sinon.stub().yields(null, { _id: 'mock-member-id' }),
build: sinon.stub().returns(this.newUser),
}
this.UserGetter = {
getUserByAnyEmail: sinon.stub().yields(null, this.newUser),
}
this.Institution = { findOne: sinon.stub().yields(null, this.institution) }
this.Subscription = {
findOne: sinon.stub().yields(null, this.subscription),
}
this.Publisher = {
findOne: sinon.stub().yields(null, this.publisher),
create: sinon.stub().yields(null, this.publisher),
}
return (this.UserMembershipHandler = SandboxedModule.require(modulePath, {
requires: {
mongodb: { ObjectId },
'./UserMembershipViewModel': this.UserMembershipViewModel,
'../User/UserGetter': this.UserGetter,
'../../models/Institution': {
Institution: this.Institution,
},
'../../models/Subscription': {
Subscription: this.Subscription,
},
'../../models/Publisher': {
Publisher: this.Publisher,
},
},
}))
})
describe('getEntityWithoutAuthorizationCheck', function () {
it('get publisher', function (done) {
return this.UserMembershipHandler.getEntityWithoutAuthorizationCheck(
this.fakeEntityId,
EntityConfigs.publisher,
(error, subscription) => {
expect(error).not.to.exist
const expectedQuery = { slug: this.fakeEntityId }
assertCalledWith(this.Publisher.findOne, expectedQuery)
expect(subscription).to.equal(this.publisher)
return done()
}
)
})
})
describe('getUsers', function () {
describe('group', function () {
it('build view model for all users', function (done) {
return this.UserMembershipHandler.getUsers(
this.subscription,
EntityConfigs.group,
(error, users) => {
const expectedCallcount =
this.subscription.member_ids.length +
this.subscription.invited_emails.length +
this.subscription.teamInvites.length
expect(this.UserMembershipViewModel.buildAsync.callCount).to.equal(
expectedCallcount
)
return done()
}
)
})
})
describe('group mamagers', function () {
it('build view model for all managers', function (done) {
return this.UserMembershipHandler.getUsers(
this.subscription,
EntityConfigs.groupManagers,
(error, users) => {
const expectedCallcount = this.subscription.manager_ids.length
expect(this.UserMembershipViewModel.buildAsync.callCount).to.equal(
expectedCallcount
)
return done()
}
)
})
})
describe('institution', function () {
it('build view model for all managers', function (done) {
return this.UserMembershipHandler.getUsers(
this.institution,
EntityConfigs.institution,
(error, users) => {
const expectedCallcount = this.institution.managerIds.length
expect(this.UserMembershipViewModel.buildAsync.callCount).to.equal(
expectedCallcount
)
return done()
}
)
})
})
})
describe('createEntity', function () {
it('creates publisher', function (done) {
return this.UserMembershipHandler.createEntity(
this.fakeEntityId,
EntityConfigs.publisher,
(error, publisher) => {
expect(error).not.to.exist
assertCalledWith(this.Publisher.create, { slug: this.fakeEntityId })
return done()
}
)
})
})
describe('addUser', function () {
beforeEach(function () {
return (this.email = this.newUser.email)
})
describe('institution', function () {
it('get user', function (done) {
return this.UserMembershipHandler.addUser(
this.institution,
EntityConfigs.institution,
this.email,
(error, user) => {
assertCalledWith(this.UserGetter.getUserByAnyEmail, this.email)
return done()
}
)
})
it('handle user not found', function (done) {
this.UserGetter.getUserByAnyEmail.yields(null, null)
return this.UserMembershipHandler.addUser(
this.institution,
EntityConfigs.institution,
this.email,
error => {
expect(error).to.exist
expect(error.userNotFound).to.equal(true)
return done()
}
)
})
it('handle user already added', function (done) {
this.institution.managerIds.push(this.newUser._id)
return this.UserMembershipHandler.addUser(
this.institution,
EntityConfigs.institution,
this.email,
(error, users) => {
expect(error).to.exist
expect(error.alreadyAdded).to.equal(true)
return done()
}
)
})
it('add user to institution', function (done) {
return this.UserMembershipHandler.addUser(
this.institution,
EntityConfigs.institution,
this.email,
(error, user) => {
assertCalledWith(this.institution.updateOne, {
$addToSet: { managerIds: this.newUser._id },
})
return done()
}
)
})
it('return user view', function (done) {
return this.UserMembershipHandler.addUser(
this.institution,
EntityConfigs.institution,
this.email,
(error, user) => {
user.should.equal(this.newUser)
return done()
}
)
})
})
})
describe('removeUser', function () {
describe('institution', function () {
it('remove user from institution', function (done) {
return this.UserMembershipHandler.removeUser(
this.institution,
EntityConfigs.institution,
this.newUser._id,
(error, user) => {
const { lastCall } = this.institution.updateOne
assertCalledWith(this.institution.updateOne, {
$pull: { managerIds: this.newUser._id },
})
return done()
}
)
})
it('handle admin', function (done) {
this.subscription.admin_id = this.newUser._id
return this.UserMembershipHandler.removeUser(
this.subscription,
EntityConfigs.groupManagers,
this.newUser._id,
(error, user) => {
expect(error).to.exist
expect(error.isAdmin).to.equal(true)
return done()
}
)
})
})
})
})
| overleaf/web/test/unit/src/UserMembership/UserMembershipHandlerTests.js/0 | {
"file_path": "overleaf/web/test/unit/src/UserMembership/UserMembershipHandlerTests.js",
"repo_id": "overleaf",
"token_count": 3898
} | 573 |
/* eslint-disable
max-len,
no-return-assign,
no-unused-vars,
*/
// TODO: This file was created by bulk-decaffeinate.
// Fix any style issues and re-enable lint.
/*
* decaffeinate suggestions:
* DS102: Remove unnecessary code created because of implicit returns
* Full docs: https://github.com/decaffeinate/decaffeinate/blob/master/docs/suggestions.md
*/
const { assert, expect } = require('chai')
const sinon = require('sinon')
const modulePath = '../../../../app/src/infrastructure/Csrf.js'
const SandboxedModule = require('sandboxed-module')
describe('Csrf', function () {
beforeEach(function () {
this.csurf_csrf = sinon
.stub()
.callsArgWith(2, (this.err = { code: 'EBADCSRFTOKEN' }))
this.Csrf = SandboxedModule.require(modulePath, {
requires: {
csurf: sinon.stub().returns(this.csurf_csrf),
},
})
this.csrf = new this.Csrf()
this.next = sinon.stub()
this.path = '/foo/bar'
this.req = {
path: this.path,
method: 'POST',
}
return (this.res = {})
})
describe('the middleware', function () {
describe('when there are no excluded routes', function () {
it('passes the csrf error on', function () {
this.csrf.middleware(this.req, this.res, this.next)
return expect(this.next.calledWith(this.err)).to.equal(true)
})
})
describe('when the route is excluded', function () {
it('does not pass the csrf error on', function () {
this.csrf.disableDefaultCsrfProtection(this.path, 'POST')
this.csrf.middleware(this.req, this.res, this.next)
return expect(this.next.calledWith(this.err)).to.equal(false)
})
})
describe('when there is a partial route match', function () {
it('passes the csrf error on when the match is too short', function () {
this.csrf.disableDefaultCsrfProtection('/foo', 'POST')
this.csrf.middleware(this.req, this.res, this.next)
return expect(this.next.calledWith(this.err)).to.equal(true)
})
it('passes the csrf error on when the match is too long', function () {
this.csrf.disableDefaultCsrfProtection('/foo/bar/baz', 'POST')
this.csrf.middleware(this.req, this.res, this.next)
return expect(this.next.calledWith(this.err)).to.equal(true)
})
})
describe('when there are multiple exclusions', function () {
it('does not pass the csrf error on when the match is present', function () {
this.csrf.disableDefaultCsrfProtection(this.path, 'POST')
this.csrf.disableDefaultCsrfProtection('/test', 'POST')
this.csrf.disableDefaultCsrfProtection('/a/b/c', 'POST')
this.csrf.middleware(this.req, this.res, this.next)
return expect(this.next.calledWith(this.err)).to.equal(false)
})
it('passes the csrf error on when the match is not present', function () {
this.csrf.disableDefaultCsrfProtection('/url', 'POST')
this.csrf.disableDefaultCsrfProtection('/test', 'POST')
this.csrf.disableDefaultCsrfProtection('/a/b/c', 'POST')
this.csrf.middleware(this.req, this.res, this.next)
return expect(this.next.calledWith(this.err)).to.equal(true)
})
})
describe('when the method does not match', function () {
it('passes the csrf error on', function () {
this.csrf.disableDefaultCsrfProtection(this.path, 'POST')
this.req.method = 'GET'
this.csrf.middleware(this.req, this.res, this.next)
return expect(this.next.calledWith(this.err)).to.equal(true)
})
})
describe('when the route is excluded, but the error is not a bad-csrf-token error', function () {
it('passes the error on', function () {
let err
this.Csrf = SandboxedModule.require(modulePath, {
globals: {
console: console,
},
requires: {
csurf: (this.csurf = sinon
.stub()
.returns(
(this.csurf_csrf = sinon
.stub()
.callsArgWith(2, (err = { code: 'EOTHER' })))
)),
},
})
this.csrf = new this.Csrf()
this.csrf.disableDefaultCsrfProtection(this.path, 'POST')
this.csrf.middleware(this.req, this.res, this.next)
expect(this.next.calledWith(err)).to.equal(true)
return expect(this.next.calledWith(this.err)).to.equal(false)
})
})
})
describe('validateRequest', function () {
describe('when the request is invalid', function () {
it('calls the callback with error', function () {
this.cb = sinon.stub()
this.Csrf.validateRequest(this.req, this.cb)
return expect(this.cb.calledWith(this.err)).to.equal(true)
})
})
describe('when the request is valid', function () {
it('calls the callback without an error', function () {
this.Csrf = SandboxedModule.require(modulePath, {
globals: {
console: console,
},
requires: {
csurf: (this.csurf = sinon
.stub()
.returns((this.csurf_csrf = sinon.stub().callsArg(2)))),
},
})
this.cb = sinon.stub()
this.Csrf.validateRequest(this.req, this.cb)
return expect(this.cb.calledWith()).to.equal(true)
})
})
})
describe('validateToken', function () {
describe('when the request is invalid', function () {
it('calls the callback with `false`', function () {
this.cb = sinon.stub()
this.Csrf.validateToken('token', {}, this.cb)
expect(this.cb.calledWith(this.err)).to.equal(true)
})
})
describe('when the request is valid', function () {
it('calls the callback with `true`', function () {
this.Csrf = SandboxedModule.require(modulePath, {
globals: {
console: console,
},
requires: {
csurf: (this.csurf = sinon
.stub()
.returns((this.csurf_csrf = sinon.stub().callsArg(2)))),
},
})
this.cb = sinon.stub()
this.Csrf.validateToken('goodtoken', {}, this.cb)
return expect(this.cb.calledWith()).to.equal(true)
})
})
describe('when there is no token', function () {
it('calls the callback with an error', function () {
this.Csrf = SandboxedModule.require(modulePath, {
globals: {
console: console,
},
requires: {
csurf: (this.csurf = sinon
.stub()
.returns((this.csurf_csrf = sinon.stub().callsArg(2)))),
},
})
this.cb = sinon.stub()
this.Csrf.validateToken(null, {}, error => {
expect(error).to.exist
})
})
})
})
})
| overleaf/web/test/unit/src/infrastructure/CsrfTests.js/0 | {
"file_path": "overleaf/web/test/unit/src/infrastructure/CsrfTests.js",
"repo_id": "overleaf",
"token_count": 3076
} | 574 |
const MiniCssExtractPlugin = require('mini-css-extract-plugin')
const merge = require('webpack-merge')
const base = require('./webpack.config')
module.exports = merge(base, {
mode: 'development',
plugins: [new MiniCssExtractPlugin()],
// Karma configures entry & output for us, so disable these
entry: null,
output: null,
})
| overleaf/web/webpack.config.test.js/0 | {
"file_path": "overleaf/web/webpack.config.test.js",
"repo_id": "overleaf",
"token_count": 108
} | 575 |
Bugfix: Fix file type icons for uppercase file extensions
https://github.com/owncloud/web/pull/3670
| owncloud/web/changelog/0.11.0_2020-06-26/file-type-icons-for-uppercase-file-extensions/0 | {
"file_path": "owncloud/web/changelog/0.11.0_2020-06-26/file-type-icons-for-uppercase-file-extensions",
"repo_id": "owncloud",
"token_count": 31
} | 576 |
Enhancement: Update owncloud-sdk to 1.0.0-663
We've updated the owncloud-sdk to version 1.0.0-663.
This version stops rejecting sharing promises if the passed shareID is not an integer.
https://github.com/owncloud/web/pull/3690 | owncloud/web/changelog/0.11.1_2020-06-29/sdk-update/0 | {
"file_path": "owncloud/web/changelog/0.11.1_2020-06-29/sdk-update",
"repo_id": "owncloud",
"token_count": 73
} | 577 |
Change: Use pre-signed URLs in media viewer
We've started using pre-signed URLs if supported in media viewer to display images instead of fetching them.
https://github.com/owncloud/web/pull/3803
https://github.com/owncloud/web/pull/3844
| owncloud/web/changelog/0.14.0_2020-08-17/media-viewer-presigned-urls/0 | {
"file_path": "owncloud/web/changelog/0.14.0_2020-08-17/media-viewer-presigned-urls",
"repo_id": "owncloud",
"token_count": 68
} | 578 |
Bugfix: Adjust behavior of public link password field
The UX of the public link password field has been improved.
The field is focussed automatically and the enter key submits the password.
Also, in case of wrong password, an error message is now displayed.
https://github.com/owncloud/web/pull/4077
https://github.com/owncloud/product/issues/231
| owncloud/web/changelog/0.17.0_2020-09-25/fix-public-link-password-field/0 | {
"file_path": "owncloud/web/changelog/0.17.0_2020-09-25/fix-public-link-password-field",
"repo_id": "owncloud",
"token_count": 89
} | 579 |
Enhancement: Auto-close alerts
We've added a property which enables alerts to be automatically closed.
When enabling the auto-close, it will get assigned timeout of 5 seconds.
Default timeout can be overwritten inside of the `autoClose` object.
https://github.com/owncloud/web/pull/4236 | owncloud/web/changelog/0.22.0_2020-10-26/autoclose-alerts/0 | {
"file_path": "owncloud/web/changelog/0.22.0_2020-10-26/autoclose-alerts",
"repo_id": "owncloud",
"token_count": 73
} | 580 |
Enhancement: Update ODS to 2.0.0
We've updated the ownCloud design system to version 2.0.0.
https://github.com/owncloud/owncloud-design-system/releases/tag/v2.0.0
https://github.com/owncloud/web/pull/4373 | owncloud/web/changelog/0.26.0_2020-11-23/update-ods/0 | {
"file_path": "owncloud/web/changelog/0.26.0_2020-11-23/update-ods",
"repo_id": "owncloud",
"token_count": 76
} | 581 |
Enhancement: Add owner and resharer in collaborators list
The top of the collaborators list now display new entries for the resource owner and the resharer when applicable,
and also visible when viewing a child resource of a shared folder (indirect share).
https://github.com/owncloud/web/issues/2898
https://github.com/owncloud/web/pull/2915
https://github.com/owncloud/web/pull/2918
| owncloud/web/changelog/0.3.0_2020-01-31/2898/0 | {
"file_path": "owncloud/web/changelog/0.3.0_2020-01-31/2898",
"repo_id": "owncloud",
"token_count": 103
} | 582 |
Enhancement: Added ability to click file list columns for sorting
The sorting mode of the file list can now be changed by clicking on the column headers.
https://github.com/owncloud/web/issues/1854
| owncloud/web/changelog/0.5.0_2020-03-02/1854/0 | {
"file_path": "owncloud/web/changelog/0.5.0_2020-03-02/1854",
"repo_id": "owncloud",
"token_count": 51
} | 583 |
Change: New sort order for collaborators and public links
We've changed the sort order for collaborators and public links.
Collaborators are now sorted by: collaborator type, is collaborator direct, display name and creation date.
Public links are now sorted by: is public link direct, display name and creation date.
https://github.com/owncloud/web/pull/3136
| owncloud/web/changelog/0.6.0_2020-03-16/3136/0 | {
"file_path": "owncloud/web/changelog/0.6.0_2020-03-16/3136",
"repo_id": "owncloud",
"token_count": 83
} | 584 |
Bugfix: Set a higher timeout for requirejs
In slow networks requirejs requests can timeout. The timeout is now set to a higher value (200 secs)
https://github.com/owncloud/web/pull/3293
| owncloud/web/changelog/0.8.0_2020-04-14/3293/0 | {
"file_path": "owncloud/web/changelog/0.8.0_2020-04-14/3293",
"repo_id": "owncloud",
"token_count": 51
} | 585 |
Bugfix: Enable route checks for file actions
The checks on which route an extension is enabled were not active (and inverted). We fixed this so that editors only appear on configured routes now.
https://github.com/owncloud/ocis/issues/986
https://github.com/owncloud/web/pull/4436
| owncloud/web/changelog/1.0.0_2020-12-16/fix-file-action-route-checks/0 | {
"file_path": "owncloud/web/changelog/1.0.0_2020-12-16/fix-file-action-route-checks",
"repo_id": "owncloud",
"token_count": 74
} | 586 |
Bugfix: Fix showing white page with no message if the config could not be parsed
When the config file could not be parsed because of some mistake in the JSON, an empty page without any error message would be shown to the user. We've fixed that behavior and showing now an error page and details of the error in the console.
https://github.com/owncloud/web/issues/4636
https://github.com/owncloud/web/pull/4749
| owncloud/web/changelog/2.0.1_2021-02-18/invalidConfig/0 | {
"file_path": "owncloud/web/changelog/2.0.1_2021-02-18/invalidConfig",
"repo_id": "owncloud",
"token_count": 103
} | 587 |
Enhancement: Align headline hierarchy
Streamlined headline tags so that pages have a h1 tag and the headline hierarchy is adhered.
https://github.com/owncloud/web/issues/5003
https://github.com/owncloud/web/pull/5004
https://github.com/owncloud/web/pull/5005
| owncloud/web/changelog/3.1.0_2021-05-12/enhancement-h-tags/0 | {
"file_path": "owncloud/web/changelog/3.1.0_2021-05-12/enhancement-h-tags",
"repo_id": "owncloud",
"token_count": 80
} | 588 |
Bugfix: Add docs link & fix translations on error page
The MissingConfigPage had a translated paragraph that didn't work because
of an presumably unallowed `<br/>` tag inside the text.
Also, the link to the GitHub repo was replace with a link to the web docs and public rocket chat.
https://github.com/owncloud/web/pull/5034
| owncloud/web/changelog/3.3.0_2021-06-23/bugfix-improve-error-screen/0 | {
"file_path": "owncloud/web/changelog/3.3.0_2021-06-23/bugfix-improve-error-screen",
"repo_id": "owncloud",
"token_count": 86
} | 589 |
Enhancement: Add pagination
We've added pagination to all files lists. Current limit for displayed resources is 100.
https://github.com/owncloud/web/pull/5224
https://github.com/owncloud/web/pull/5309
| owncloud/web/changelog/3.3.0_2021-06-23/enhancement-add-pagination/0 | {
"file_path": "owncloud/web/changelog/3.3.0_2021-06-23/enhancement-add-pagination",
"repo_id": "owncloud",
"token_count": 61
} | 590 |
Enhancement: OcTooltip
We've changed the tooltip implementation to use oc-tooltip directive from ODS instead of uikit's.
https://github.com/owncloud/web/pull/5055
https://github.com/owncloud/web/issues/4654
https://github.com/owncloud/web/issues/2623
https://github.com/owncloud/web/issues/4597
https://github.com/owncloud/web/issues/4332
https://github.com/owncloud/web/issues/4300
https://github.com/owncloud/web/issues/5155
| owncloud/web/changelog/3.3.0_2021-06-23/enhancement-oc-tooltip/0 | {
"file_path": "owncloud/web/changelog/3.3.0_2021-06-23/enhancement-oc-tooltip",
"repo_id": "owncloud",
"token_count": 148
} | 591 |
Enhancement: Add view options
We've added view options above the files lists so that the user can customise them.
Currently, it is possible to toggle visibility of hidden files.
Changes in view options are persisted in local storage.
https://github.com/owncloud/web/pull/5408
https://github.com/owncloud/web/pull/5450
| owncloud/web/changelog/3.4.0_2021-07-09/enhancement-add-view-options/0 | {
"file_path": "owncloud/web/changelog/3.4.0_2021-07-09/enhancement-add-view-options",
"repo_id": "owncloud",
"token_count": 85
} | 592 |
Enhancement: Dropdown actions in FilesTable
Users can now access quick actions in a dropdown by clicking on
the three-dots button or right-clicking on rows in the files table.
We've also bumped the ownCloud Design System to version 8.3.0
https://github.com/owncloud/owncloud-design-system/releases/tag/v8.3.0
https://github.com/owncloud/web/issues/5102
https://github.com/owncloud/web/issues/5103
https://github.com/owncloud/web/pull/5551
https://github.com/owncloud/web/pull/5554
| owncloud/web/changelog/4.0.0_2021-08-04/enhancement-filestable-dropdown-actions/0 | {
"file_path": "owncloud/web/changelog/4.0.0_2021-08-04/enhancement-filestable-dropdown-actions",
"repo_id": "owncloud",
"token_count": 156
} | 593 |
Enhancement: Update ODS to 9.2.0
We updated the ownCloud Design System to version 9.2.0.
https://github.com/owncloud/web/pull/5689
https://github.com/owncloud/owncloud-design-system/releases/tag/v9.0.0
https://github.com/owncloud/owncloud-design-system/releases/tag/v9.0.1
https://github.com/owncloud/owncloud-design-system/releases/tag/v9.1.0
https://github.com/owncloud/owncloud-design-system/releases/tag/v9.2.0
| owncloud/web/changelog/4.1.0_2021-08-20/enhancement-update-ods/0 | {
"file_path": "owncloud/web/changelog/4.1.0_2021-08-20/enhancement-update-ods",
"repo_id": "owncloud",
"token_count": 160
} | 594 |
Enhancement: Refactor runtime boot process
We have updated the way applications are being loaded in
the web runtime. It does now feature a dedicated boot process,
providing hooks that other applications can take advantage of.
https://github.com/owncloud/web/pull/5752
https://github.com/owncloud/web/issues/2891 (tbd)
https://github.com/owncloud/web/issues/3726 (tbd)
https://github.com/owncloud/web/issues/3771 (tbd, "needs api tweak")
https://github.com/owncloud/web/issues/4735 (tbd)
https://github.com/owncloud/web/issues/5135 (tbd)
https://github.com/owncloud/web/issues/5460 (tbd)
| owncloud/web/changelog/4.3.0_2021-10-07/enhancement-runtime-boot-process/0 | {
"file_path": "owncloud/web/changelog/4.3.0_2021-10-07/enhancement-runtime-boot-process",
"repo_id": "owncloud",
"token_count": 192
} | 595 |
Enhancement: Accentuate new files
We've added a visual highlighting of newly created (or uploaded) resources in the OcFilesTable.
https://github.com/owncloud/web/pull/6020
| owncloud/web/changelog/4.5.0_2021-11-16/enhancement-accentuate-new-files/0 | {
"file_path": "owncloud/web/changelog/4.5.0_2021-11-16/enhancement-accentuate-new-files",
"repo_id": "owncloud",
"token_count": 50
} | 596 |
Bugfix: Show extension image
Allow extensions to set an image as its logo, instead of an icon.
If `img` is set, it will take precedence over `icon`.
https://github.com/owncloud/web/pull/5985
| owncloud/web/changelog/4.7.0_2021-12-16/bugfix-extension-img/0 | {
"file_path": "owncloud/web/changelog/4.7.0_2021-12-16/bugfix-extension-img",
"repo_id": "owncloud",
"token_count": 57
} | 597 |
Enhancement: Update ODS to v12.0.0-alpha1
We updated the ownCloud Design System to version 12.0.0-alpha1. Please refer to the full changelog in the ODS release (linked) for more details. Summary:
- Change - Remove oc-table-files from ods: https://github.com/owncloud/owncloud-design-system/pull/1817
- Change - Remove unused props for unstyled components: https://github.com/owncloud/owncloud-design-system/pull/1795
https://github.com/owncloud/web/pull/6106
https://github.com/owncloud/owncloud-design-system/releases/tag/v12.0.0-alpha1
| owncloud/web/changelog/4.7.0_2021-12-16/enhancement-update-ods/0 | {
"file_path": "owncloud/web/changelog/4.7.0_2021-12-16/enhancement-update-ods",
"repo_id": "owncloud",
"token_count": 177
} | 598 |
Change: Enforce extensions to always display the ui-header
We've enforced the ui to always render the header for third party extensions.
From now on extensions are not able to disable the header anymore.
https://github.com/owncloud/web/pull/6401
| owncloud/web/changelog/5.0.0_2022-02-14/change-enforce-ui-header/0 | {
"file_path": "owncloud/web/changelog/5.0.0_2022-02-14/change-enforce-ui-header",
"repo_id": "owncloud",
"token_count": 63
} | 599 |
Enhancement: Persist chosen sorting options
We now persist the chosen sorting options per view into the local storage of the browser. This means, that when e.g. the `All files` page is sorted by last modification date and the `Share with others` page is sorted by share receivers, the web UI remembers those choices for example across browser tabs or during navigation in the folder tree.
https://github.com/owncloud/web/issues/5930
https://github.com/owncloud/web/pull/6290
| owncloud/web/changelog/5.0.0_2022-02-14/enhancement-persisted-sorting/0 | {
"file_path": "owncloud/web/changelog/5.0.0_2022-02-14/enhancement-persisted-sorting",
"repo_id": "owncloud",
"token_count": 116
} | 600 |
Bugfix: Load capabilities for password protected public links
We've enabled capability loading for password protected public links.
https://github.com/owncloud/web/pull/6471
https://github.com/owncloud/web/issues/5863
| owncloud/web/changelog/5.2.0_2022-03-03/bugfix-password-protected-public-link-capabilities/0 | {
"file_path": "owncloud/web/changelog/5.2.0_2022-03-03/bugfix-password-protected-public-link-capabilities",
"repo_id": "owncloud",
"token_count": 57
} | 601 |
Bugfix: Pressing enter in forms
We fixed behavior when pressing enter in forms. For instance when adding or editing public links
pressing enter in the name or password input fields, instead of saving the link it opened the datepicker.
https://github.com/owncloud/web/pull/6548
https://github.com/owncloud/owncloud-design-system/pull/2009
| owncloud/web/changelog/5.3.0_2022-03-23/bugfix-enter-in-forms/0 | {
"file_path": "owncloud/web/changelog/5.3.0_2022-03-23/bugfix-enter-in-forms",
"repo_id": "owncloud",
"token_count": 89
} | 602 |
Enhancement: Design improvements
We've fixed various design glitches and improved the overall look-and-feel of the UI.
https://github.com/owncloud/web/issues/6492
https://github.com/owncloud/web/issues/6555
https://github.com/owncloud/web/pulls/6584
| owncloud/web/changelog/5.3.0_2022-03-23/enhancement-design-improvements/0 | {
"file_path": "owncloud/web/changelog/5.3.0_2022-03-23/enhancement-design-improvements",
"repo_id": "owncloud",
"token_count": 78
} | 603 |
Enhancement: Implement people sharing for spaces
Spaces can now be shared with other people. This change specifically includes:
* listing all members who have access to a space (possible for all space members)
* adding members to a space and giving them dedicated roles (possible for managers only)
* editing the role of members (possible for managers only)
* removing members from a space (possible for managers only)
https://github.com/owncloud/web/pull/6455
https://github.com/owncloud/web/pull/6572
https://github.com/owncloud/web/issues/6283
| owncloud/web/changelog/5.3.0_2022-03-23/enhancement-spaces-people-sharing/0 | {
"file_path": "owncloud/web/changelog/5.3.0_2022-03-23/enhancement-spaces-people-sharing",
"repo_id": "owncloud",
"token_count": 143
} | 604 |
Enhancement: Editor role for single file public links
Allow creating a public link with editor role for a single file. Only available in oCIS.
https://github.com/owncloud/web/pull/6618
| owncloud/web/changelog/5.4.0_2022-04-11/enhancement-editor-role/0 | {
"file_path": "owncloud/web/changelog/5.4.0_2022-04-11/enhancement-editor-role",
"repo_id": "owncloud",
"token_count": 51
} | 605 |
Enhancement: Spaces overview topbar layout
We've adjusted the topbar layout of the spaces overview to match the other pages.
https://github.com/owncloud/web/pull/6642
https://github.com/owncloud/web/issues/6641
| owncloud/web/changelog/5.4.0_2022-04-11/enhancement-spaces-overview-topbar/0 | {
"file_path": "owncloud/web/changelog/5.4.0_2022-04-11/enhancement-spaces-overview-topbar",
"repo_id": "owncloud",
"token_count": 62
} | 606 |
Bugfix: Edit public links with expiration
We've fixed an issue with public links with expiration date that were failing in update requests.
https://github.com/owncloud/web/issues/6858
https://github.com/owncloud/web/pull/6867
| owncloud/web/changelog/5.5.0_2022-06-20/bugfix-public-link-edit/0 | {
"file_path": "owncloud/web/changelog/5.5.0_2022-06-20/bugfix-public-link-edit",
"repo_id": "owncloud",
"token_count": 62
} | 607 |
Bugfix: Space image not shown if file name contains blanks
https://github.com/owncloud/web/pull/6881
https://github.com/owncloud/web/issues/6874
| owncloud/web/changelog/5.5.0_2022-06-20/bugfix-space-image-not-shown-if-name-contains-blanks/0 | {
"file_path": "owncloud/web/changelog/5.5.0_2022-06-20/bugfix-space-image-not-shown-if-name-contains-blanks",
"repo_id": "owncloud",
"token_count": 47
} | 608 |
Enhancement: Add show file extension toggle switch in file list settings
We've added a toggle switch to the file list settings to turn off and on displaying file extension.
If this setting is turned off, the file extension won't be shown anymore in:
* The name column displayed in the files list
* The right sidebar
* The rename modal
* The new file modal
https://github.com/owncloud/web/pull/6793
https://github.com/owncloud/web/issues/6730
| owncloud/web/changelog/5.5.0_2022-06-20/enhancement-add-show-file-extension-switch/0 | {
"file_path": "owncloud/web/changelog/5.5.0_2022-06-20/enhancement-add-show-file-extension-switch",
"repo_id": "owncloud",
"token_count": 117
} | 609 |
Enhancement: Load language from user object if given
We've added the possibility to load the user's language from the use object if given,
this allows us to take the configured language if oC10 is running as backend.
https://github.com/owncloud/web/pull/7023
https://github.com/owncloud/web/issues/6243
| owncloud/web/changelog/5.5.0_2022-06-20/enhancement-load-language-from-user-if-given/0 | {
"file_path": "owncloud/web/changelog/5.5.0_2022-06-20/enhancement-load-language-from-user-if-given",
"repo_id": "owncloud",
"token_count": 83
} | 610 |
Enhancement: Show default action at the first place in context menu
We've added the sorting of actions in the way that default file handler shows first in the context menu
https://github.com/owncloud/web/issues/6971
https://github.com/owncloud/web/pull/6954 | owncloud/web/changelog/5.5.0_2022-06-20/enhancement-sort-default-action-first-context-menu/0 | {
"file_path": "owncloud/web/changelog/5.5.0_2022-06-20/enhancement-sort-default-action-first-context-menu",
"repo_id": "owncloud",
"token_count": 69
} | 611 |
Bugfix: Add Droparea again
We've added the visual droparea again to indicate drag and drop upload
https://github.com/owncloud/web/issues/7080
https://github.com/owncloud/web/pull/7251 | owncloud/web/changelog/5.7.0_2022-09-09/bugfix-add-droparea-again/0 | {
"file_path": "owncloud/web/changelog/5.7.0_2022-09-09/bugfix-add-droparea-again",
"repo_id": "owncloud",
"token_count": 56
} | 612 |
Bugfix: Fix right sidebar content on small screens
We've fixed the right sidebar content on small screens because some screen sizes caused the content to flow out of the screen. Things that have been done to achieve this:
* Selection info has been removed.
* Labels of the batch actions will hide on screens <1280px if the sidebar is open.
https://github.com/owncloud/web/issues/7498
https://github.com/owncloud/web/pull/7508
| owncloud/web/changelog/5.7.0_2022-09-09/bugfix-fix-right-sidebar-on-small-screens/0 | {
"file_path": "owncloud/web/changelog/5.7.0_2022-09-09/bugfix-fix-right-sidebar-on-small-screens",
"repo_id": "owncloud",
"token_count": 110
} | 613 |
Bugfix: Open file on shared space resource not possible
We've fixed a bug where opening a file of a shared space resource for example in the pdf viewer app wasn't possible.
https://github.com/owncloud/web/pull/7379
https://github.com/owncloud/web/issues/6899
| owncloud/web/changelog/5.7.0_2022-09-09/bugfix-open-file-on-shared-space-resource-not-possible/0 | {
"file_path": "owncloud/web/changelog/5.7.0_2022-09-09/bugfix-open-file-on-shared-space-resource-not-possible",
"repo_id": "owncloud",
"token_count": 72
} | 614 |
Bugfix: Shared with others page apps not working with oc10 as backend
We've fixed a bug where apps like preview, pdf-viewer or text-editor weren't working while browsing
the shared with others page with oc10 as backend.
https://github.com/owncloud/web/pull/7228
https://github.com/owncloud/web/issues/7049
| owncloud/web/changelog/5.7.0_2022-09-09/bugfix-shared-with-others-page-apps-not-working-oc10/0 | {
"file_path": "owncloud/web/changelog/5.7.0_2022-09-09/bugfix-shared-with-others-page-apps-not-working-oc10",
"repo_id": "owncloud",
"token_count": 88
} | 615 |
Bugfix: Upload overlay progress bar spacing
We've fixed spacing issues with the upload overlay progress bar.
https://github.com/owncloud/web/pull/7297
| owncloud/web/changelog/5.7.0_2022-09-09/bugfix-upload-overlay-progress-bar-spacing/0 | {
"file_path": "owncloud/web/changelog/5.7.0_2022-09-09/bugfix-upload-overlay-progress-bar-spacing",
"repo_id": "owncloud",
"token_count": 40
} | 616 |
Enhancement: Re-sharing for ocis
We've enhanced web to be able to re-share resources when using an ownCloud infinite scale backend. It now works for project and personal spaces as well as the sharing jail.
Besides that we also send roles, space-ref and path as separate values to the sharing api which simplifies the usage of it.
https://github.com/owncloud/web/pull/7086
https://github.com/owncloud/web/pull/7247
https://github.com/owncloud/web/issues/6894
https://github.com/owncloud/web/pull/7243
https://github.com/owncloud/web/pull/7317
https://github.com/owncloud/web/issues/7225
https://github.com/owncloud/web/pull/7319
https://github.com/owncloud/web/issues/7223
https://github.com/owncloud/web/pull/7398
https://github.com/owncloud/web/issues/7397
| owncloud/web/changelog/5.7.0_2022-09-09/enhancement-ocis-resharing/0 | {
"file_path": "owncloud/web/changelog/5.7.0_2022-09-09/enhancement-ocis-resharing",
"repo_id": "owncloud",
"token_count": 239
} | 617 |
Enhancement: Improve performance of share indicators
We've improved the performance of share indicators when loading resource tables as well as when adding or removing shares.
https://github.com/owncloud/web/issues/7038
https://github.com/owncloud/web/pull/7188
| owncloud/web/changelog/5.7.0_2022-09-09/enhancement-share-indicators-performance/0 | {
"file_path": "owncloud/web/changelog/5.7.0_2022-09-09/enhancement-share-indicators-performance",
"repo_id": "owncloud",
"token_count": 66
} | 618 |
Bugfix: Disappearing quicklink in sidebar
We've fixed a bug where existing quicklinks would disappear when performing the "Create quicklink"-action.
https://github.com/owncloud/web/pull/7740
https://github.com/owncloud/web/issues/7736
| owncloud/web/changelog/6.0.0_2022-11-29/bugfix-disappearing-quicklink-in-sidebar/0 | {
"file_path": "owncloud/web/changelog/6.0.0_2022-11-29/bugfix-disappearing-quicklink-in-sidebar",
"repo_id": "owncloud",
"token_count": 66
} | 619 |
Bugfix: Add origin check to Draw.io events
Origin checks have been added to all Draw.io events due to security reasons.
https://github.com/owncloud/web/pull/7941
https://github.com/owncloud/web/issues/7933
| owncloud/web/changelog/6.0.0_2022-11-29/bugfix-origin-event-check/0 | {
"file_path": "owncloud/web/changelog/6.0.0_2022-11-29/bugfix-origin-event-check",
"repo_id": "owncloud",
"token_count": 63
} | 620 |
Bugfix: Try to obtain refresh token before the error case
We've added a fallback strategy to try to revive the refresh token one more last time.
This is for the rare case where the application is running in the background and the browsers throttles the token refresh mechanism.
https://github.com/owncloud/web/pull/7756
| owncloud/web/changelog/6.0.0_2022-11-29/bugfix-silent-refresh-token-renewal/0 | {
"file_path": "owncloud/web/changelog/6.0.0_2022-11-29/bugfix-silent-refresh-token-renewal",
"repo_id": "owncloud",
"token_count": 76
} | 621 |
Enhancement: Batch actions for two or more items only
Batch actions are now only being displayed if two or more items are selected.
https://github.com/owncloud/web/pull/7904
| owncloud/web/changelog/6.0.0_2022-11-29/enhancement-batch-actions-display/0 | {
"file_path": "owncloud/web/changelog/6.0.0_2022-11-29/enhancement-batch-actions-display",
"repo_id": "owncloud",
"token_count": 49
} | 622 |
Enhancement: Improve search experience
We've improved the overall search experience with following points:
* increase search typing debounce to 500ms
* send search requests only once on reloads
* update search preview results on activation
https://github.com/owncloud/web/pull/7821
| owncloud/web/changelog/6.0.0_2022-11-29/enhancement-search/0 | {
"file_path": "owncloud/web/changelog/6.0.0_2022-11-29/enhancement-search",
"repo_id": "owncloud",
"token_count": 66
} | 623 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.