diff --git a/packages/utils/lib/__test__/download.test.ts b/packages/utils/lib/__test__/download.test.ts
index d00b784..87364e7 100644
--- a/packages/utils/lib/__test__/download.test.ts
+++ b/packages/utils/lib/__test__/download.test.ts
@@ -13,6 +13,7 @@ describe('createDownloadBlobLink', () => {
window.URL = new URL('http://example.com') as typeof window.URL
}
window.URL.createObjectURL = vi.fn(() => fakeURL)
+ window.URL.revokeObjectURL = vi.fn(() => {})
// Mocking the necessary APIs
const createElementSpy = vi.spyOn(document, 'createElement')
@@ -27,6 +28,7 @@ describe('createDownloadBlobLink', () => {
expect(createElementSpy).toHaveBeenCalledWith('a')
expect(appendChildSpy).toHaveBeenCalled()
expect(removeChildSpy).toHaveBeenCalled()
+ expect(window.URL.revokeObjectURL).toHaveBeenCalledWith(fakeURL)
// Clean up
createElementSpy.mockRestore()
diff --git a/packages/utils/lib/__test__/useBatchSettings.test.ts b/packages/utils/lib/__test__/useBatchSettings.test.ts
new file mode 100644
index 0000000..73b6a17
--- /dev/null
+++ b/packages/utils/lib/__test__/useBatchSettings.test.ts
@@ -0,0 +1,199 @@
+import { describe, it, expect, vi } from 'vitest'
+import useBatchSettings from '../useBatchSettings'
+
+describe('useBatchSettings', () => {
+ const {
+ filenameMap,
+ templateContentMap,
+ handleDownloadTemp,
+ readFileAndParse,
+ processIoTDBData,
+ processTDengineData,
+ processInfluxDBData,
+ } = useBatchSettings()
+
+ describe('filenameMap', () => {
+ it('should have the correct format', () => {
+ Object.keys(filenameMap).forEach((key) => {
+ expect(typeof key).toBe('string')
+ expect(typeof filenameMap[key]).toBe('string')
+ })
+ })
+ })
+
+ describe('templateContentMap', () => {
+ it('should have the correct format', () => {
+ Object.keys(templateContentMap).forEach((key) => {
+ expect(typeof key).toBe('string')
+ expect(typeof templateContentMap[key]).toBe('string')
+ })
+ })
+ })
+
+ describe('handleDownloadTemp', () => {
+ it('should generate correct blob', () => {
+ const blob = new Blob(['test template'], { type: 'text/csv' })
+ const fakeURL = 'http://fakeurl.com/blob'
+ const createObjectURL = vi.fn(() => fakeURL)
+ const revokeObjectURL = vi.fn(() => {})
+
+ window.URL.createObjectURL = createObjectURL
+ window.URL.revokeObjectURL = revokeObjectURL
+
+ handleDownloadTemp('test template', 'test.csv')
+ expect(createObjectURL).toHaveBeenCalledWith(blob)
+ expect(revokeObjectURL).toHaveBeenCalledWith(fakeURL)
+ })
+
+ it('should log an error if the template is empty', () => {
+ console.error = vi.fn()
+ handleDownloadTemp()
+ expect(console.error).toHaveBeenCalledWith('Template is empty')
+ })
+ })
+
+ describe('readFileAndParse', () => {
+ it('should parse CSV file correctly', async () => {
+ const file = new File(['1,2,3\n4,5,6'], 'test.csv', { type: 'text/csv' })
+ const maxRows = 10
+ const expectedData = [
+ ['1', '2', '3'],
+ ['4', '5', '6'],
+ ]
+
+ const result = await readFileAndParse(file, maxRows)
+ expect(result).toEqual(expectedData)
+ })
+
+ it('should reject with an error if failed to parse CSV data', async () => {
+ const file = new File(['Name,Age\nJohn,30\n,40\nAlice'], 'test.csv', { type: 'text/csv' })
+ const maxRows = 10
+
+ const result = readFileAndParse(file, maxRows)
+ await expect(result).rejects.toThrow('Failed to parse CSV data')
+ })
+
+ it('should reject with an error if the number of rows exceeds the maximum limit', async () => {
+ const file = new File(['1,2,3\n4,5,6\n7,8,9'], 'test.csv', { type: 'text/csv' })
+ const maxRows = 1
+
+ const result = readFileAndParse(file, maxRows)
+ await expect(result).rejects.toThrow(
+ 'The number of rows in the CSV file exceeds the limit. Up to 1 rows of data are supported except for the header',
+ )
+ })
+ })
+
+ describe('processIoTDBData', () => {
+ it('should process IoTDB data correctly', async () => {
+ const data = [
+ ['timestamp', 'measurement', 'data_type', 'value'],
+ ['2022-01-01', 'temperature', 'FLOAT', '25.5'],
+ ['2022-01-02', 'humidity', 'INT32', '60'],
+ ]
+ const expectedOutput = [
+ {
+ timestamp: '2022-01-01',
+ measurement: 'temperature',
+ data_type: 'FLOAT',
+ value: '25.5',
+ },
+ {
+ timestamp: '2022-01-02',
+ measurement: 'humidity',
+ data_type: 'INT32',
+ value: '60',
+ },
+ ]
+
+ const result = await processIoTDBData(data)
+ expect(result).toEqual(expectedOutput)
+ })
+
+ it('should throw an error for invalid data type', async () => {
+ const data = [
+ ['timestamp', 'measurement', 'data_type', 'value'],
+ ['2022-01-01', 'temperature', 'INVALID', '25.5'],
+ ]
+
+ await expect(processIoTDBData(data)).rejects.toThrow('Invalid data type: INVALID')
+ })
+ })
+
+ describe('processTDengineData', () => {
+ it('should process TDengine data correctly', async () => {
+ const data = [
+ ['field', 'value', 'isChar'],
+ ['field1', 'value1', 'true'],
+ ['field2', 'value2', 'false'],
+ ]
+ const expectedOutput = "insert into
(field1, field2) values ('value1', value2)"
+
+ const result = await processTDengineData(data)
+ expect(result).toEqual(expectedOutput)
+ })
+
+ it('should skip empty field or value', async () => {
+ const data = [
+ ['field', 'value', 'isChar'],
+ ['', 'value1', 'true'],
+ ['field1', '', 'true'],
+ ['field2', 'value2', 'false'],
+ ]
+ const expectedOutput = 'insert into (field2) values (value2)'
+
+ const result = await processTDengineData(data)
+ expect(result).toEqual(expectedOutput)
+ })
+
+ it('should throw an error for invalid isChar flag', async () => {
+ const data = [
+ ['field', 'value', 'isChar'],
+ ['field1', 'value1', 'invalid'],
+ ]
+
+ await expect(processTDengineData(data)).rejects.toThrow('Invalid Char Value field: invalid')
+ })
+ })
+
+ describe('processInfluxDBData', () => {
+ it('should process InfluxDB data correctly', async () => {
+ const data = [
+ ['key', 'value'],
+ ['temperature', '25.5'],
+ ['humidity', '60'],
+ ]
+ const expectedOutput = [
+ { key: 'temperature', value: '25.5' },
+ { key: 'humidity', value: '60' },
+ ]
+
+ const result = await processInfluxDBData(data)
+ expect(result).toEqual(expectedOutput)
+ })
+
+ it('should skip rows with missing key or value', async () => {
+ const data = [
+ ['key', 'value'],
+ ['', '25.5'],
+ ['humidity', ''],
+ ['pressure', '30'],
+ ]
+ const expectedOutput = [{ key: 'pressure', value: '30' }]
+
+ const result = await processInfluxDBData(data)
+ expect(result).toEqual(expectedOutput)
+ })
+
+ it('should catch error', async () => {
+ const badData = [['key1', 'value1'], null]
+
+ try {
+ // @ts-ignore
+ await processInfluxDBData(badData)
+ } catch (error) {
+ expect(error).toBeTruthy()
+ }
+ })
+ })
+})
diff --git a/packages/utils/lib/download.ts b/packages/utils/lib/download.ts
index 21c4d99..4cf17a9 100644
--- a/packages/utils/lib/download.ts
+++ b/packages/utils/lib/download.ts
@@ -1,12 +1,10 @@
/**
- * Creates a download link for a given Blob data with the specified filename.
- * The link is automatically clicked to initiate the download, and then removed from the document body.
+ * Initiates a download of a file from a given URL with the specified filename.
*
- * @param blobData - The Blob data to be downloaded.
+ * @param url - The URL of the file to be downloaded.
* @param filename - The name of the file to be downloaded.
*/
-export const createDownloadBlobLink = (blobData: Blob, filename: string) => {
- const url = window.URL.createObjectURL(new Blob([blobData]))
+export const downloadFile = (url: string, filename: string) => {
const link = document.createElement('a')
link.style.display = 'none'
link.href = url
@@ -15,3 +13,16 @@ export const createDownloadBlobLink = (blobData: Blob, filename: string) => {
link.click()
document.body.removeChild(link)
}
+
+/**
+ * Creates a download link for a given Blob data with the specified filename.
+ * The link is automatically clicked to initiate the download, and then removed from the document body.
+ *
+ * @param blobData - The Blob data to be downloaded.
+ * @param filename - The name of the file to be downloaded.
+ */
+export const createDownloadBlobLink = (blobData: Blob, filename: string) => {
+ const url = window.URL.createObjectURL(new Blob([blobData]))
+ downloadFile(url, filename)
+ window.URL.revokeObjectURL(url)
+}
diff --git a/packages/utils/lib/index.ts b/packages/utils/lib/index.ts
index 7c5a39a..6910006 100644
--- a/packages/utils/lib/index.ts
+++ b/packages/utils/lib/index.ts
@@ -2,3 +2,4 @@ export * from './objectUtils'
export * from './jsonUtils'
export * from './format'
export * from './download'
+export * from './useBatchSettings'
diff --git a/packages/utils/lib/useBatchSettings.ts b/packages/utils/lib/useBatchSettings.ts
new file mode 100644
index 0000000..d9de395
--- /dev/null
+++ b/packages/utils/lib/useBatchSettings.ts
@@ -0,0 +1,214 @@
+import Papa from 'papaparse'
+import { createI18n } from 'vue-i18n'
+import { createDownloadBlobLink } from './download'
+
+enum BatchSettingTypes {
+ IoTDB = 'iotdb',
+ TDengine = 'tdengine',
+ InfluxDB = 'influxdb',
+}
+
+export default (locale: 'zh' | 'en' = 'en') => {
+ const i18n = createI18n({
+ locale,
+ messages: {
+ en: {
+ iotdbTemplateRemark:
+ 'Measurement, Value, and Data Type are required fields. The Data Type can have the optional values BOOLEAN, INT32, INT64, FLOAT, DOUBLE, TEXT.',
+ invalidIsCharFlag: 'Invalid Char Value field: {isChar}',
+ uploadMaxRowsError:
+ 'The number of rows in the CSV file exceeds the limit. Up to {max} rows of data are supported except for the header',
+ influxdbTemplateRemark:
+ 'Append an i to the field value to tell InfluxDB to store the number as an integer.',
+ },
+ zh: {
+ iotdbTemplateRemark:
+ '字段、值、数据类型是必填选项,数据类型可选的值为 BOOLEAN、INT32、INT64、FLOAT、DOUBLE、TEXT',
+ invalidIsCharFlag: '无效的字符标识符值:{isChar}',
+ uploadMaxRowsError: 'CSV 文件行数超过限制,除表头外,最多支持 {max} 行数据',
+ influxdbTemplateRemark: '在字段值后追加 i,InfluxDB 则将该数值存储为整数类型。',
+ },
+ },
+ })
+ const { t } = i18n.global
+
+ const filenameMap = {
+ [BatchSettingTypes.InfluxDB]: 'InfluxDB',
+ [BatchSettingTypes.TDengine]: 'TDengine',
+ [BatchSettingTypes.IoTDB]: 'IoTDB',
+ }
+
+ const templateContentMap = {
+ [BatchSettingTypes.TDengine]: `Field,Value,Char Value,Remarks (Optional)
+ts,now,FALSE,Example Remark
+msgid,\${id},TRUE,
+mqtt_topic,\${topic},TRUE,
+qos,\${qos},FALSE,
+temp,\${payload.temp},FALSE,
+hum,\${payload.hum},FALSE,
+status,\${payload.status},FALSE,
+`,
+ [BatchSettingTypes.IoTDB]: `Timestamp,Measurement,Data Type,Value,Remarks (Optional)
+now,temp,FLOAT,\${payload.temp},"${t('iotdbTemplateRemark')}"
+now,hum,FLOAT,\${payload.hum},
+now,status,BOOLEAN,\${payload.status},
+now,clientid,TEXT,\${clientid},
+`,
+ [BatchSettingTypes.InfluxDB]: `Field,Value,Remarks (Optional)
+temp,\${payload.temp},
+hum,\${payload.hum},
+precip,\${payload.precip}i,"${t('influxdbTemplateRemark')}"
+`,
+ }
+
+ /**
+ * Processes TDengine data and returns a promise that resolves to a string.
+ *
+ * @param {string[][]} data - The TDengine data to be processed.
+ * @returns {Promise} - A promise that resolves to the generated SQL insert string.
+ */
+ const processTDengineData = (data: string[][]): Promise => {
+ return new Promise((resolve, reject) => {
+ try {
+ const tableName = ''
+ const fields = []
+ const values = []
+ for (let i = 1; i < data.length; i++) {
+ const [field, value, isChar] = data[i]
+ if (!field || !value) {
+ continue
+ }
+ fields.push(field)
+ const isCharValue = ['true', 'TRUE', '1', '', undefined].includes(isChar?.trim())
+ const isNotCharValue = ['false', 'FALSE', '0'].includes(isChar?.trim())
+ if (isCharValue) {
+ values.push(`'${value}'`)
+ } else if (isNotCharValue) {
+ values.push(value)
+ } else {
+ throw new Error(t('invalidIsCharFlag', { isChar }))
+ }
+ }
+ const result = `insert into ${tableName}(${fields.join(', ')}) values (${values.join(
+ ', ',
+ )})`
+ resolve(result)
+ } catch (error) {
+ reject(error)
+ }
+ })
+ }
+
+ /**
+ * Processes IoTDB data and returns an array of records.
+ * @param {string[][]} data - The IoTDB data to be processed.
+ * @returns {Promise>>} - A promise that resolves to an array of records.
+ * @throws {Error} - If an invalid data type is encountered.
+ */
+ const processIoTDBData = (data: string[][]): Promise>> => {
+ return new Promise((resolve, reject) => {
+ try {
+ const validDataTypes = ['BOOLEAN', 'INT32', 'INT64', 'FLOAT', 'DOUBLE', 'TEXT']
+
+ const result = data
+ .slice(1)
+ .filter(
+ (row) => row.length >= 4 && row.slice(0, 4).every((item) => item && item.trim() !== ''),
+ )
+ .map((row) => {
+ const [timestamp, measurement, data_type, value] = row
+ // Check if data_type is valid
+ if (!validDataTypes.includes(data_type)) {
+ throw new Error(`Invalid data type: ${data_type}`)
+ }
+ return {
+ timestamp,
+ measurement,
+ data_type,
+ value,
+ }
+ })
+
+ resolve(result)
+ } catch (error) {
+ reject(error)
+ }
+ })
+ }
+
+ /**
+ * Processes the InfluxDB data and returns a promise that resolves to an array of key-value pairs.
+ * @param {string[][]} data - The InfluxDB data to be processed.
+ * @returns {Promise<{ key: string; value: string }[]>} - A promise that resolves to an array of key-value pairs.
+ */
+ const processInfluxDBData = (data: string[][]): Promise<{ key: string; value: string }[]> => {
+ return new Promise((resolve, reject) => {
+ try {
+ // Skip the first row and map each row to an object
+ const result = [] as { key: string; value: string }[]
+ for (let i = 1; i < data.length; i++) {
+ const [key, value] = data[i]
+ if (!key || !value) {
+ continue
+ }
+ result.push({ key, value })
+ }
+ resolve(result)
+ } catch (error) {
+ reject(error)
+ }
+ })
+ }
+
+ const handleDownloadTemp = (template?: string, filename?: string) => {
+ if (template) {
+ const blob = new Blob([template], { type: 'text/csv' })
+ createDownloadBlobLink(blob, `${filename}_template.csv`)
+ } else {
+ console.error('Template is empty')
+ }
+ }
+
+ /**
+ * Reads and parses a CSV file.
+ * @param file The file to be read and parsed.
+ * @returns A promise that resolves to a 2D array representing the CSV data.
+ */
+ const readFileAndParse = async (file: File, maxRows: number): Promise => {
+ return new Promise((resolve, reject) => {
+ const reader = new FileReader()
+ reader.onload = (event) => {
+ if (!event.target) {
+ return reject(new Error('FileReader event target is null'))
+ }
+ const csvData = event.target.result
+ const results: any = Papa.parse(csvData as string, { skipEmptyLines: 'greedy' })
+ if (results.errors.length > 0) {
+ reject(new Error('Failed to parse CSV data: ' + results.errors[0].message))
+ }
+ if (results.data.length > maxRows + 1) {
+ reject(new Error(t('uploadMaxRowsError', { max: maxRows })))
+ } else {
+ resolve(results.data)
+ }
+ }
+ reader.onerror = () => {
+ reject(new Error('An error occurred while reading the file'))
+ }
+ reader.onabort = () => {
+ reject(new Error('File reading was aborted'))
+ }
+ reader.readAsText(file)
+ })
+ }
+
+ return {
+ filenameMap,
+ templateContentMap,
+ handleDownloadTemp,
+ readFileAndParse,
+ processIoTDBData,
+ processTDengineData,
+ processInfluxDBData,
+ }
+}
diff --git a/packages/utils/package.json b/packages/utils/package.json
index 963e575..897abd6 100644
--- a/packages/utils/package.json
+++ b/packages/utils/package.json
@@ -33,5 +33,12 @@
"version:minor": "npm version minor",
"version:major": "npm version major",
"release": "npm publish"
+ },
+ "dependencies": {
+ "papaparse": "^5.4.1",
+ "vue-i18n": "^9.10.2"
+ },
+ "devDependencies": {
+ "@types/papaparse": "^5.3.14"
}
}
diff --git a/pnpm-lock.yaml b/pnpm-lock.yaml
index 4f455cc..6cd9c45 100644
--- a/pnpm-lock.yaml
+++ b/pnpm-lock.yaml
@@ -47,7 +47,18 @@ importers:
packages/i18n: {}
- packages/utils: {}
+ packages/utils:
+ dependencies:
+ papaparse:
+ specifier: ^5.4.1
+ version: 5.4.1
+ vue-i18n:
+ specifier: ^9.10.2
+ version: 9.10.2(vue@3.4.21)
+ devDependencies:
+ '@types/papaparse':
+ specifier: ^5.3.14
+ version: 5.3.14
packages:
@@ -174,12 +185,10 @@ packages:
/@babel/helper-string-parser@7.22.5:
resolution: {integrity: sha512-mM4COjgZox8U+JcXQwPijIZLElkgEpO5rsERVDJTc2qfCDfERyob6k5WegS14SX18IIjv+XD+GrqNumY5JRCDw==}
engines: {node: '>=6.9.0'}
- dev: true
/@babel/helper-validator-identifier@7.22.20:
resolution: {integrity: sha512-Y4OZ+ytlatR8AI+8KZfKuL5urKp7qey08ha31L8b3BwewJAoJamTzyvxPR/5D+KkdJCGPq/+8TukHBlY10FX9A==}
engines: {node: '>=6.9.0'}
- dev: true
/@babel/helper-validator-option@7.22.15:
resolution: {integrity: sha512-bMn7RmyFjY/mdECUbgn9eoSY4vqvacUnS9i9vGAGttgFWesO6B4CYWA7XlpbWgBt71iv/hfbPlynohStqnu5hA==}
@@ -214,6 +223,14 @@ packages:
'@babel/types': 7.23.0
dev: true
+ /@babel/parser@7.24.1:
+ resolution: {integrity: sha512-Zo9c7N3xdOIQrNip7Lc9wvRPzlRtovHVE4lkz8WEDr7uYh/GMQhSiIgFxGIArRHYdJE5kxtZjAf8rT0xhdLCzg==}
+ engines: {node: '>=6.0.0'}
+ hasBin: true
+ dependencies:
+ '@babel/types': 7.23.0
+ dev: false
+
/@babel/runtime@7.23.2:
resolution: {integrity: sha512-mM8eg4yl5D6i3lu2QKPuPH4FArvJ8KhTofbE7jwMUv9KX5mBvwPAqnV3MlyBNqdp9RyRKP6Yck8TrfYrPvX3bg==}
engines: {node: '>=6.9.0'}
@@ -255,7 +272,6 @@ packages:
'@babel/helper-string-parser': 7.22.5
'@babel/helper-validator-identifier': 7.22.20
to-fast-properties: 2.0.0
- dev: true
/@changesets/apply-release-plan@6.1.4:
resolution: {integrity: sha512-FMpKF1fRlJyCZVYHr3CbinpZZ+6MwvOtWUuO8uo+svcATEoc1zRDcj23pAurJ2TZ/uVz1wFHH6K3NlACy0PLew==}
@@ -639,6 +655,27 @@ packages:
dev: true
optional: true
+ /@intlify/core-base@9.10.2:
+ resolution: {integrity: sha512-HGStVnKobsJL0DoYIyRCGXBH63DMQqEZxDUGrkNI05FuTcruYUtOAxyL3zoAZu/uDGO6mcUvm3VXBaHG2GdZCg==}
+ engines: {node: '>= 16'}
+ dependencies:
+ '@intlify/message-compiler': 9.10.2
+ '@intlify/shared': 9.10.2
+ dev: false
+
+ /@intlify/message-compiler@9.10.2:
+ resolution: {integrity: sha512-ntY/kfBwQRtX5Zh6wL8cSATujPzWW2ZQd1QwKyWwAy5fMqJyyixHMeovN4fmEyCqSu+hFfYOE63nU94evsy4YA==}
+ engines: {node: '>= 16'}
+ dependencies:
+ '@intlify/shared': 9.10.2
+ source-map-js: 1.0.2
+ dev: false
+
+ /@intlify/shared@9.10.2:
+ resolution: {integrity: sha512-ttHCAJkRy7R5W2S9RVnN9KYQYPIpV2+GiS79T4EE37nrPyH6/1SrOh3bmdCRC1T3ocL8qCDx7x2lBJ0xaITU7Q==}
+ engines: {node: '>= 16'}
+ dev: false
+
/@istanbuljs/schema@0.1.3:
resolution: {integrity: sha512-ZXRY4jNvVgSVQ8DL3LTcakaAtXwTVUxE81hslsyD2AtoXW/wVob10HkOJ1X/pAlcI7D+2YoZKg5do8G/w6RYgA==}
engines: {node: '>=8'}
@@ -672,7 +709,6 @@ packages:
/@jridgewell/sourcemap-codec@1.4.15:
resolution: {integrity: sha512-eF2rxCRulEKXHTRiDrDy6erMYWqNw4LPdQ8UQA4huuxaQsVeRPFl2oM8oDGxMFhJUWZf9McpLtJasDDZb/Bpeg==}
- dev: true
/@jridgewell/trace-mapping@0.3.20:
resolution: {integrity: sha512-R8LcPeWZol2zR8mmH3JeKQ6QRCFb7XgUhV9ZlGhHLGyg4wpPiPZNQOOWhFZhxKw8u//yTbNGI42Bx/3paXEQ+Q==}
@@ -864,6 +900,12 @@ packages:
resolution: {integrity: sha512-37i+OaWTh9qeK4LSHPsyRC7NahnGotNuZvjLSgcPzblpHB3rrCJxAOgI5gCdKm7coonsaX1Of0ILiTcnZjbfxA==}
dev: true
+ /@types/papaparse@5.3.14:
+ resolution: {integrity: sha512-LxJ4iEFcpqc6METwp9f6BV6VVc43m6MfH0VqFosHvrUgfXiFe6ww7R3itkOQ+TCK6Y+Iv/+RnnvtRZnkc5Kc9g==}
+ dependencies:
+ '@types/node': 20.9.0
+ dev: true
+
/@types/semver@7.5.5:
resolution: {integrity: sha512-+d+WYC1BxJ6yVOgUgzK8gWvp5qF8ssV5r4nsDcZWKRWcDQLQ619tvWAxJQYGgBrO1MnLJC7a5GtiYsAoQ47dJg==}
dev: true
@@ -951,6 +993,16 @@ packages:
source-map-js: 1.0.2
dev: true
+ /@vue/compiler-core@3.4.21:
+ resolution: {integrity: sha512-MjXawxZf2SbZszLPYxaFCjxfibYrzr3eYbKxwpLR9EQN+oaziSu3qKVbwBERj1IFIB8OLUewxB5m/BFzi613og==}
+ dependencies:
+ '@babel/parser': 7.24.1
+ '@vue/shared': 3.4.21
+ entities: 4.5.0
+ estree-walker: 2.0.2
+ source-map-js: 1.0.2
+ dev: false
+
/@vue/compiler-dom@3.3.8:
resolution: {integrity: sha512-+PPtv+p/nWDd0AvJu3w8HS0RIm/C6VGBIRe24b9hSyNWOAPEUosFZ5diwawwP8ip5sJ8n0Pe87TNNNHnvjs0FQ==}
dependencies:
@@ -958,6 +1010,38 @@ packages:
'@vue/shared': 3.3.8
dev: true
+ /@vue/compiler-dom@3.4.21:
+ resolution: {integrity: sha512-IZC6FKowtT1sl0CR5DpXSiEB5ayw75oT2bma1BEhV7RRR1+cfwLrxc2Z8Zq/RGFzJ8w5r9QtCOvTjQgdn0IKmA==}
+ dependencies:
+ '@vue/compiler-core': 3.4.21
+ '@vue/shared': 3.4.21
+ dev: false
+
+ /@vue/compiler-sfc@3.4.21:
+ resolution: {integrity: sha512-me7epoTxYlY+2CUM7hy9PCDdpMPfIwrOvAXud2Upk10g4YLv9UBW7kL798TvMeDhPthkZ0CONNrK2GoeI1ODiQ==}
+ dependencies:
+ '@babel/parser': 7.24.1
+ '@vue/compiler-core': 3.4.21
+ '@vue/compiler-dom': 3.4.21
+ '@vue/compiler-ssr': 3.4.21
+ '@vue/shared': 3.4.21
+ estree-walker: 2.0.2
+ magic-string: 0.30.8
+ postcss: 8.4.36
+ source-map-js: 1.0.2
+ dev: false
+
+ /@vue/compiler-ssr@3.4.21:
+ resolution: {integrity: sha512-M5+9nI2lPpAsgXOGQobnIueVqc9sisBFexh5yMIMRAPYLa7+5wEJs8iqOZc1WAa9WQbx9GR2twgznU8LTIiZ4Q==}
+ dependencies:
+ '@vue/compiler-dom': 3.4.21
+ '@vue/shared': 3.4.21
+ dev: false
+
+ /@vue/devtools-api@6.6.1:
+ resolution: {integrity: sha512-LgPscpE3Vs0x96PzSSB4IGVSZXZBZHpfxs+ZA1d+VEPwHdOXowy/Y2CsvCAIFrf+ssVU1pD1jidj505EpUnfbA==}
+ dev: false
+
/@vue/language-core@1.8.22(typescript@5.2.2):
resolution: {integrity: sha512-bsMoJzCrXZqGsxawtUea1cLjUT9dZnDsy5TuZ+l1fxRMzUGQUG9+Ypq4w//CqpWmrx7nIAJpw2JVF/t258miRw==}
peerDependencies:
@@ -977,10 +1061,45 @@ packages:
vue-template-compiler: 2.7.15
dev: true
+ /@vue/reactivity@3.4.21:
+ resolution: {integrity: sha512-UhenImdc0L0/4ahGCyEzc/pZNwVgcglGy9HVzJ1Bq2Mm9qXOpP8RyNTjookw/gOCUlXSEtuZ2fUg5nrHcoqJcw==}
+ dependencies:
+ '@vue/shared': 3.4.21
+ dev: false
+
+ /@vue/runtime-core@3.4.21:
+ resolution: {integrity: sha512-pQthsuYzE1XcGZznTKn73G0s14eCJcjaLvp3/DKeYWoFacD9glJoqlNBxt3W2c5S40t6CCcpPf+jG01N3ULyrA==}
+ dependencies:
+ '@vue/reactivity': 3.4.21
+ '@vue/shared': 3.4.21
+ dev: false
+
+ /@vue/runtime-dom@3.4.21:
+ resolution: {integrity: sha512-gvf+C9cFpevsQxbkRBS1NpU8CqxKw0ebqMvLwcGQrNpx6gqRDodqKqA+A2VZZpQ9RpK2f9yfg8VbW/EpdFUOJw==}
+ dependencies:
+ '@vue/runtime-core': 3.4.21
+ '@vue/shared': 3.4.21
+ csstype: 3.1.3
+ dev: false
+
+ /@vue/server-renderer@3.4.21(vue@3.4.21):
+ resolution: {integrity: sha512-aV1gXyKSN6Rz+6kZ6kr5+Ll14YzmIbeuWe7ryJl5muJ4uwSwY/aStXTixx76TwkZFJLm1aAlA/HSWEJ4EyiMkg==}
+ peerDependencies:
+ vue: 3.4.21
+ dependencies:
+ '@vue/compiler-ssr': 3.4.21
+ '@vue/shared': 3.4.21
+ vue: 3.4.21(typescript@5.2.2)
+ dev: false
+
/@vue/shared@3.3.8:
resolution: {integrity: sha512-8PGwybFwM4x8pcfgqEQFy70NaQxASvOC5DJwLQfpArw1UDfUXrJkdxD3BhVTMS+0Lef/TU7YO0Jvr0jJY8T+mw==}
dev: true
+ /@vue/shared@3.4.21:
+ resolution: {integrity: sha512-PuJe7vDIi6VYSinuEbUIQgMIRZGgM8e4R+G+/dQTk0X1NEdvgvvgv7m+rfmDH1gZzyA1OjjoWskvHlfRNfQf3g==}
+ dev: false
+
/abab@2.0.6:
resolution: {integrity: sha512-j2afSsaIENvHZN2B8GOpF566vZ5WVk5opAiMTvWgaQT8DkbOqsTfvNAvHoRGU2zzP8cPoqys+xHTRDWW8L+/BA==}
dev: true
@@ -1370,6 +1489,10 @@ packages:
rrweb-cssom: 0.6.0
dev: true
+ /csstype@3.1.3:
+ resolution: {integrity: sha512-M1uQkMl8rQK/szD0LNhtqxIPLpimGm8sOBwU7lLnCpSbTyY3yeU1Vc7l4KT5zT4s/yOxHH5O7tIuuLOCnLADRw==}
+ dev: false
+
/csv-generate@3.4.3:
resolution: {integrity: sha512-w/T+rqR0vwvHqWs/1ZyMDWtHHSJaN06klRqJXBEpDJaM/+dZkso0OKh1VcuuYvK3XM53KysVNq8Ko/epCK8wOw==}
dev: true
@@ -1521,7 +1644,6 @@ packages:
/entities@4.5.0:
resolution: {integrity: sha512-V0hjH4dGPh9Ao5p0MoRY6BVqtwCjhz6vI5LT8AJ55H+4g9/4vbHx1I54fS0XuclLhDHArPQCiMjDxjaL8fPxhw==}
engines: {node: '>=0.12'}
- dev: true
/error-ex@1.3.2:
resolution: {integrity: sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==}
@@ -1646,7 +1768,6 @@ packages:
/estree-walker@2.0.2:
resolution: {integrity: sha512-Rfkk/Mp/DL7JVje3u18FxFujQlTNR2q6QfMSMB7AvCBx91NGj/ba3kCfza0f6dVDbw7YlRf/nDrn7pQrCCyQ/w==}
- dev: true
/eventemitter3@5.0.1:
resolution: {integrity: sha512-GWkBvjiSZK87ELrYOSESUYeVIc9mvLLf/nXalMOS5dYrgZq9o5OVkbZAVM06CVxYsCwH9BDZFPlQTlPA1j4ahA==}
@@ -2482,6 +2603,13 @@ packages:
'@jridgewell/sourcemap-codec': 1.4.15
dev: true
+ /magic-string@0.30.8:
+ resolution: {integrity: sha512-ISQTe55T2ao7XtlAStud6qwYPZjE4GK1S/BeVPus4jrq6JuOnQ00YKQC581RWhR122W7msZV263KzVeLoqidyQ==}
+ engines: {node: '>=12'}
+ dependencies:
+ '@jridgewell/sourcemap-codec': 1.4.15
+ dev: false
+
/make-dir@4.0.0:
resolution: {integrity: sha512-hXdUTZYIVOt1Ex//jAQi+wTZZpUpwBj/0QsOzqegb3rGMMeJiSEu5xLHnYfBrRV4RH2+OCSOO95Is/7x1WJ4bw==}
engines: {node: '>=10'}
@@ -2608,7 +2736,6 @@ packages:
resolution: {integrity: sha512-eSRppjcPIatRIMC1U6UngP8XFcz8MQWGQdt1MTBQ7NaAmvXDfvNxbvWV3x2y6CdEUciCSsDHDQZbhYaB8QEo2g==}
engines: {node: ^10 || ^12 || ^13.7 || ^14 || >=15.0.1}
hasBin: true
- dev: true
/node-releases@2.0.13:
resolution: {integrity: sha512-uYr7J37ae/ORWdZeQ1xxMJe3NtdmqMC/JZK+geofDrkLUApKRHPd18/TxtBOJ4A0/+uUIliorNrfYV6s1b02eQ==}
@@ -2734,6 +2861,10 @@ packages:
engines: {node: '>=6'}
dev: true
+ /papaparse@5.4.1:
+ resolution: {integrity: sha512-HipMsgJkZu8br23pW15uvo6sib6wne/4woLZPlFf3rpDyMe9ywEXUsuD7+6K9PRkJlVT51j/sCOYDKGGS3ZJrw==}
+ dev: false
+
/parse-json@5.2.0:
resolution: {integrity: sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==}
engines: {node: '>=8'}
@@ -2793,7 +2924,6 @@ packages:
/picocolors@1.0.0:
resolution: {integrity: sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==}
- dev: true
/picomatch@2.3.1:
resolution: {integrity: sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==}
@@ -2835,6 +2965,15 @@ packages:
source-map-js: 1.0.2
dev: true
+ /postcss@8.4.36:
+ resolution: {integrity: sha512-/n7eumA6ZjFHAsbX30yhHup/IMkOmlmvtEi7P+6RMYf+bGJSUHc3geH4a0NSZxAz/RJfiS9tooCTs9LAVYUZKw==}
+ engines: {node: ^10 || ^12 || >=14}
+ dependencies:
+ nanoid: 3.3.7
+ picocolors: 1.0.0
+ source-map-js: 1.1.0
+ dev: false
+
/preferred-pm@3.1.2:
resolution: {integrity: sha512-nk7dKrcW8hfCZ4H6klWcdRknBOXWzNQByJ0oJyX97BOupsYD+FzLS4hflgEu/uPUEHZCuRfMxzCBsuWd7OzT8Q==}
engines: {node: '>=10'}
@@ -3159,7 +3298,11 @@ packages:
/source-map-js@1.0.2:
resolution: {integrity: sha512-R0XvVJ9WusLiqTCEiGCmICCMplcCkIwwR11mOSD9CR5u+IXYdiseeEuXCVAjS54zqwkLcPNnmU4OeJ6tUrWhDw==}
engines: {node: '>=0.10.0'}
- dev: true
+
+ /source-map-js@1.1.0:
+ resolution: {integrity: sha512-9vC2SfsJzlej6MAaMPLu8HiBSHGdRAJ9hVFYN1ibZoNkeanmDmLUcIrj6G9DGL7XMJ54AKg/G75akXl1/izTOw==}
+ engines: {node: '>=0.10.0'}
+ dev: false
/source-map@0.6.1:
resolution: {integrity: sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==}
@@ -3364,7 +3507,6 @@ packages:
/to-fast-properties@2.0.0:
resolution: {integrity: sha512-/OaKK0xYrs3DmxRYqL/yDc+FxFUVYhDlXMhRmv3z915w2HF1tnN1omB354j8VUGO/hbRzyD6Y3sA7v7GS/ceog==}
engines: {node: '>=4'}
- dev: true
/to-regex-range@5.0.1:
resolution: {integrity: sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==}
@@ -3542,7 +3684,6 @@ packages:
resolution: {integrity: sha512-mI4WrpHsbCIcwT9cF4FZvr80QUeKvsUsUvKDoR+X/7XHQH98xYD8YHZg7ANtz2GtZt/CBq2QJ0thkGJMHfqc1w==}
engines: {node: '>=14.17'}
hasBin: true
- dev: true
/ufo@1.3.1:
resolution: {integrity: sha512-uY/99gMLIOlJPwATcMVYfqDSxUR9//AUcgZMzwfSTJPDKzA1S8mX4VLqa+fiAtveraQUBCz4FFcwVZBGbwBXIw==}
@@ -3755,6 +3896,18 @@ packages:
- terser
dev: true
+ /vue-i18n@9.10.2(vue@3.4.21):
+ resolution: {integrity: sha512-ECJ8RIFd+3c1d3m1pctQ6ywG5Yj8Efy1oYoAKQ9neRdkLbuKLVeW4gaY5HPkD/9ssf1pOnUrmIFjx2/gkGxmEw==}
+ engines: {node: '>= 16'}
+ peerDependencies:
+ vue: ^3.0.0
+ dependencies:
+ '@intlify/core-base': 9.10.2
+ '@intlify/shared': 9.10.2
+ '@vue/devtools-api': 6.6.1
+ vue: 3.4.21(typescript@5.2.2)
+ dev: false
+
/vue-template-compiler@2.7.15:
resolution: {integrity: sha512-yQxjxMptBL7UAog00O8sANud99C6wJF+7kgbcwqkvA38vCGF7HWE66w0ZFnS/kX5gSoJr/PQ4/oS3Ne2pW37Og==}
dependencies:
@@ -3774,6 +3927,22 @@ packages:
typescript: 5.2.2
dev: true
+ /vue@3.4.21(typescript@5.2.2):
+ resolution: {integrity: sha512-5hjyV/jLEIKD/jYl4cavMcnzKwjMKohureP8ejn3hhEjwhWIhWeuzL2kJAjzl/WyVsgPY56Sy4Z40C3lVshxXA==}
+ peerDependencies:
+ typescript: '*'
+ peerDependenciesMeta:
+ typescript:
+ optional: true
+ dependencies:
+ '@vue/compiler-dom': 3.4.21
+ '@vue/compiler-sfc': 3.4.21
+ '@vue/runtime-dom': 3.4.21
+ '@vue/server-renderer': 3.4.21(vue@3.4.21)
+ '@vue/shared': 3.4.21
+ typescript: 5.2.2
+ dev: false
+
/w3c-xmlserializer@4.0.0:
resolution: {integrity: sha512-d+BFHzbiCx6zGfz0HyQ6Rg69w9k19nviJspaj4yNscGjrHu94sVP+aRm75yEbCh+r2/yR+7q6hux9LVtbuTGBw==}
engines: {node: '>=14'}