You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
 
 
 
 
 
 

101 lines
2.9 KiB

import { DocumentItem, DocumentItemList } from '@/models/document'
import { DocumentItemRepository, SearchOption } from '@/repositories/document/interface'
export class DocumentDTO {
id : number
text : string
meta : string
annotationApprover: boolean | null
commentCount : number
constructor(item: DocumentItem) {
this.id = item.id
this.text = item.text
this.meta = item.meta
this.annotationApprover = item.annotationApprover
this.commentCount = item.commentCount
}
}
export class DocumentListDTO {
count: number
next : string | null
prev : string | null
items: DocumentDTO[]
constructor(item: DocumentItemList) {
this.count = item.count
this.next = item.next
this.prev = item.prev
this.items = item.items.map(_ => new DocumentDTO(_))
}
}
export class DocumentApplicationService {
constructor(
private readonly repository: DocumentItemRepository
) {}
public async list(projectId: string, options: SearchOption): Promise<DocumentListDTO> {
try {
const item = await this.repository.list(projectId, options)
return new DocumentListDTO(item)
} catch(e) {
throw new Error(e.response.data.detail)
}
}
public async create(projectId: string, item: DocumentDTO): Promise<DocumentDTO> {
try {
const doc = this.toModel(item)
const response = await this.repository.create(projectId, doc)
return new DocumentDTO(response)
} catch(e) {
throw new Error(e.response.data.detail)
}
}
public async update(projectId: string, item: DocumentDTO): Promise<void> {
try {
const doc = this.toModel(item)
await this.repository.update(projectId, doc)
} catch(e) {
throw new Error(e.response.data.detail)
}
}
public bulkDelete(projectId: string, items: DocumentDTO[]): Promise<void> {
const ids = items.map(item => item.id)
return this.repository.bulkDelete(projectId, ids)
}
public async download(
projectId: string, filename: string, format: any, onlyApproved: boolean
): Promise<void> {
const response = await this.repository.exportFile(projectId, format.type, onlyApproved)
const url = window.URL.createObjectURL(new Blob([response.data]))
const link = document.createElement('a')
link.href = url
link.setAttribute('download', `${filename}.${format.extension}`)
document.body.appendChild(link)
link.click()
}
public async upload(projectId: string, file: File, format: string): Promise<void> {
const formData = new FormData()
formData.append('file', file)
formData.append('format', format)
const response = await this.repository.uploadFile(projectId, formData)
}
private toModel(item: DocumentDTO): DocumentItem {
return new DocumentItem(
item.id,
item.text,
item.meta,
item.annotationApprover,
item.commentCount
)
}
}