@eturnity/eturnity_reusable_components 8.13.3-EPDM-14458.0 → 8.13.3-EPDM-14657.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -0,0 +1,253 @@
1
+ <template>
2
+ <Container :is-chart-controls-shown-in-bottom="isChartControlsShownInBottom">
3
+ <LabelsColumn :width="yAxisWidth">
4
+ <LabelRow v-for="series in props.series" :key="series.name">
5
+ {{ series.name }}
6
+ </LabelRow>
7
+ <TotalRow v-if="props.series.length && fieldMode === 'percentage'">
8
+ {{ $gettext ? $gettext('Total (%)') : 'Total (%)' }}
9
+ </TotalRow>
10
+ <TotalRow v-if="props.series.length">
11
+ {{ $gettext ? $gettext('Total (kWh)') : 'Total (kWh)' }}
12
+ </TotalRow>
13
+ </LabelsColumn>
14
+
15
+ <FieldsContainer
16
+ :class="`fields-container-${chartId}`"
17
+ @scroll="handleFieldsScroll"
18
+ >
19
+ <FieldsWrapper>
20
+ <!-- For stacked bar chart -->
21
+ <template v-if="props.series.length">
22
+ <InputRow
23
+ v-for="series in props.series"
24
+ :key="series.name"
25
+ :data-series-name="series.name"
26
+ >
27
+ <InputGroup
28
+ v-for="(item, index) in props.data"
29
+ :bar-width="barWidth"
30
+ :is-scrollable="isScrollable"
31
+ :key="index"
32
+ >
33
+ <InputNumber
34
+ :allow-negative="false"
35
+ input-height="36px"
36
+ :number-precision="0"
37
+ :min-decimals="0"
38
+ text-align="center"
39
+ :unit-name="fieldMode === 'percentage' ? '%' : ''"
40
+ :value="getDisplayValue(series.data, item.label)"
41
+ @input-blur="handleInputBlur($event, series.name, item.label)"
42
+ @input-focus="handleInputFocus(series.name, item.label)"
43
+ />
44
+ </InputGroup>
45
+ </InputRow>
46
+
47
+ <TotalInputRow v-if="fieldMode === 'percentage'">
48
+ <InputGroup
49
+ v-for="(item, index) in props.data"
50
+ :bar-width="barWidth"
51
+ :is-scrollable="isScrollable"
52
+ :key="index"
53
+ >
54
+ <InputNumber
55
+ :allow-negative="false"
56
+ input-height="36px"
57
+ :is-read-only="true"
58
+ :number-precision="0"
59
+ :min-decimals="0"
60
+ text-align="center"
61
+ :unit-name="fieldMode === 'percentage' ? '%' : ''"
62
+ :value="calculatePercentageTotal(item.label)"
63
+ />
64
+ </InputGroup>
65
+ </TotalInputRow>
66
+
67
+ <TotalInputRow>
68
+ <InputGroup
69
+ v-for="(item, index) in props.data"
70
+ :bar-width="barWidth"
71
+ :is-scrollable="isScrollable"
72
+ :key="index"
73
+ >
74
+ <InputNumber
75
+ input-height="36px"
76
+ :is-read-only="true"
77
+ :number-precision="2"
78
+ :min-decimals="0"
79
+ text-align="center"
80
+ :value="calculateTotal(item.label)"
81
+ />
82
+ </InputGroup>
83
+ </TotalInputRow>
84
+ </template>
85
+
86
+ <!-- For simple bar chart -->
87
+ <template v-else>
88
+ <InputRow>
89
+ <InputGroup
90
+ v-for="(item, index) in props.data"
91
+ :bar-width="barWidth"
92
+ :is-scrollable="isScrollable"
93
+ :key="index"
94
+ >
95
+ <InputNumber
96
+ input-height="36px"
97
+ :min-decimals="0"
98
+ :number-precision="2"
99
+ text-align="center"
100
+ :value="item.value"
101
+ @input-blur="handleInputBlur($event, null, item.label)"
102
+ @input-focus="handleInputFocus(null, item.label)"
103
+ />
104
+ </InputGroup>
105
+ </InputRow>
106
+ </template>
107
+ </FieldsWrapper>
108
+ </FieldsContainer>
109
+ </Container>
110
+ </template>
111
+
112
+ <script setup>
113
+ import { ref } from 'vue'
114
+ import InputNumber from '../inputs/inputNumber'
115
+
116
+ import {
117
+ Container,
118
+ LabelsColumn,
119
+ LabelRow,
120
+ TotalRow,
121
+ FieldsContainer,
122
+ FieldsWrapper,
123
+ InputRow,
124
+ TotalInputRow,
125
+ InputGroup,
126
+ } from './styles/bottomFields'
127
+
128
+ const props = defineProps({
129
+ chartId: {
130
+ type: String,
131
+ required: true,
132
+ },
133
+ data: {
134
+ type: Array,
135
+ required: true,
136
+ },
137
+ series: {
138
+ type: Array,
139
+ required: true,
140
+ },
141
+ barWidth: {
142
+ type: Number,
143
+ required: true,
144
+ },
145
+ yAxisWidth: {
146
+ type: String,
147
+ required: true,
148
+ },
149
+ isScrollable: {
150
+ type: Boolean,
151
+ default: false,
152
+ },
153
+ isChartControlsShownInBottom: {
154
+ type: Boolean,
155
+ default: false,
156
+ },
157
+ fieldMode: {
158
+ type: String,
159
+ default: 'absolute',
160
+ validator: (value) => ['absolute', 'percentage'].includes(value),
161
+ },
162
+ })
163
+
164
+ const emit = defineEmits([
165
+ 'sync-scroll',
166
+ 'input-blur',
167
+ 'input-focus',
168
+ 'input-blur-all',
169
+ ])
170
+
171
+ const focusedInput = ref(null)
172
+
173
+ const handleInputFocus = (seriesName, label) => {
174
+ focusedInput.value = { seriesName, label }
175
+ emit('input-focus', { seriesName, label })
176
+ }
177
+
178
+ const calculateTotal = (label) => {
179
+ return props.series.reduce((sum, series) => {
180
+ const value = series.data.find((d) => d.label === label)?.value || 0
181
+ return sum + value
182
+ }, 0)
183
+ }
184
+
185
+ const syncScroll = (scrollLeft) => {
186
+ const container = document.querySelector(
187
+ `.fields-container-${props.chartId}`
188
+ )
189
+ if (container) {
190
+ container.scrollLeft = scrollLeft
191
+ }
192
+ }
193
+ const getDisplayValue = (seriesData, label) => {
194
+ if (props.fieldMode === 'absolute') {
195
+ return seriesData.find((d) => d.label === label)?.value || ''
196
+ }
197
+
198
+ const value = seriesData.find((d) => d.label === label)?.value || 0
199
+ const total = calculateTotal(label)
200
+ return total ? Number(((value / total) * 100).toFixed(0)) : 0
201
+ }
202
+
203
+ const calculatePercentageTotal = (label) => {
204
+ return props.series.reduce((sum, series) => {
205
+ const value = series.data.find((d) => d.label === label)?.value || 0
206
+ const total = calculateTotal(label)
207
+ const percentage = total ? Number(((value / total) * 100).toFixed(0)) : 0
208
+ return sum + percentage
209
+ }, 0)
210
+ }
211
+
212
+ const handleInputBlur = (_value, seriesName, label) => {
213
+ let value = Number(_value)
214
+
215
+ if (props.fieldMode === 'percentage') {
216
+ const total = calculateTotal(label)
217
+ value = (value / 100) * total
218
+ }
219
+
220
+ const payload = seriesName ? { seriesName, label, value } : { label, value }
221
+ emit('input-blur', payload)
222
+ focusedInput.value = null
223
+
224
+ // Check if the related target (element receiving focus) is another input in our chart
225
+ const relatedTarget = document.activeElement
226
+ const currentChartContainer = document.querySelector(
227
+ `.fields-container-${props.chartId}`
228
+ )
229
+ const isMovingToAnotherInput =
230
+ currentChartContainer?.contains(relatedTarget) &&
231
+ relatedTarget?.classList.contains('input-number')
232
+
233
+ if (!isMovingToAnotherInput) {
234
+ emit('input-blur-all')
235
+ } else {
236
+ // If moving to another input, trigger focus event manually
237
+ const seriesName =
238
+ relatedTarget.closest('[data-series-name]')?.dataset.seriesName
239
+ const label = relatedTarget.closest('[data-label]')?.dataset.label
240
+ if (seriesName && label) {
241
+ handleInputFocus(seriesName, label)
242
+ }
243
+ }
244
+ }
245
+
246
+ const handleFieldsScroll = (event) => {
247
+ emit('sync-scroll', event.target.scrollLeft)
248
+ }
249
+
250
+ defineExpose({
251
+ syncScroll,
252
+ })
253
+ </script>
@@ -0,0 +1,113 @@
1
+ <template>
2
+ <Container>
3
+ <LegendAndControlsWrapper :leftMargin="yAxisWidth">
4
+ <LeftSection>
5
+ <SplitButtonsContainer
6
+ v-if="splitButtonOptions.length"
7
+ :position="position"
8
+ >
9
+ <SplitButtons
10
+ :modelValue="selectedSplitButton"
11
+ :options="splitButtonOptions"
12
+ @click="handleSplitButtonClick"
13
+ />
14
+ </SplitButtonsContainer>
15
+ </LeftSection>
16
+
17
+ <LegendGroups v-if="isLegendShown">
18
+ <LegendRow
19
+ v-for="(row, rowIndex) in groupedSeries"
20
+ :key="rowIndex"
21
+ :rowIndex="rowIndex"
22
+ >
23
+ <LegendItem v-for="(series, index) in row" :key="series.name">
24
+ <LegendColor
25
+ :gradientFrom="
26
+ reversedColors[rowIndex * legendsItemPerRow + index].from
27
+ "
28
+ :gradientTo="
29
+ reversedColors[rowIndex * legendsItemPerRow + index].to
30
+ "
31
+ />
32
+ <LegendText>{{ series.name }}</LegendText>
33
+ </LegendItem>
34
+ </LegendRow>
35
+ </LegendGroups>
36
+ </LegendAndControlsWrapper>
37
+ </Container>
38
+ </template>
39
+
40
+ <script setup>
41
+ import { computed } from 'vue'
42
+
43
+ import SplitButtons from '../buttons/splitButtons'
44
+
45
+ import {
46
+ Container,
47
+ LegendAndControlsWrapper,
48
+ LeftSection,
49
+ SplitButtonsContainer,
50
+ LegendGroups,
51
+ LegendRow,
52
+ LegendItem,
53
+ LegendColor,
54
+ LegendText,
55
+ } from './styles/chartControls'
56
+
57
+ const props = defineProps({
58
+ position: {
59
+ type: String,
60
+ required: true,
61
+ },
62
+ yAxisWidth: {
63
+ type: String,
64
+ required: true,
65
+ },
66
+ series: {
67
+ type: Array,
68
+ default: () => [],
69
+ },
70
+ stackedColors: {
71
+ type: Function,
72
+ required: true,
73
+ },
74
+ splitButtonOptions: {
75
+ type: Array,
76
+ default: () => [],
77
+ },
78
+ selectedSplitButton: {
79
+ type: String,
80
+ default: '',
81
+ },
82
+ isLegendShown: {
83
+ type: Boolean,
84
+ default: false,
85
+ },
86
+ legendsItemPerRow: {
87
+ type: Number,
88
+ required: true,
89
+ },
90
+ })
91
+
92
+ const emit = defineEmits(['select-split-button'])
93
+
94
+ const reversedColors = computed(() =>
95
+ [...props.stackedColors(props.series.length)].reverse()
96
+ )
97
+
98
+ const groupedSeries = computed(() => {
99
+ const { series, legendsItemPerRow } = props
100
+
101
+ return series.reduce((groups, item, index) => {
102
+ const groupIndex = Math.floor(index / legendsItemPerRow)
103
+ groups[groupIndex] = groups[groupIndex] || []
104
+ groups[groupIndex].push(item)
105
+
106
+ return groups
107
+ }, [])
108
+ })
109
+
110
+ const handleSplitButtonClick = (value) => {
111
+ emit('select-split-button', value)
112
+ }
113
+ </script>
@@ -0,0 +1,150 @@
1
+ <template>
2
+ <SelectionBoxWrapper
3
+ :transform="`translateX(${position}px)`"
4
+ :width="boxWidth + 'px'"
5
+ @mousedown="startDrag"
6
+ />
7
+ </template>
8
+
9
+ <script setup>
10
+ import { ref, computed, onMounted } from 'vue'
11
+ import styled from 'vue3-styled-components'
12
+
13
+ const SelectionBoxWrapper = styled('div', {
14
+ width: String,
15
+ transform: String,
16
+ })`
17
+ position: absolute;
18
+ height: 100%;
19
+ background: rgba(151, 71, 255, 0.1);
20
+ cursor: grab;
21
+ z-index: 0;
22
+ pointer-events: auto;
23
+ width: ${(props) => props.width};
24
+ transform: ${(props) => props.transform};
25
+ &:active {
26
+ cursor: grabbing;
27
+ }
28
+ `
29
+
30
+ const props = defineProps({
31
+ barsToShow: {
32
+ type: Number,
33
+ required: true,
34
+ },
35
+ barWidth: {
36
+ type: Number,
37
+ required: true,
38
+ },
39
+ totalBars: {
40
+ type: Number,
41
+ required: true,
42
+ },
43
+ gap: {
44
+ type: Number,
45
+ default: 8,
46
+ },
47
+ containerWidth: {
48
+ type: Number,
49
+ required: true,
50
+ },
51
+ isScrollable: {
52
+ type: Boolean,
53
+ required: true,
54
+ },
55
+ })
56
+
57
+ // Padding applied to the selection box
58
+ const PADDING = 6
59
+
60
+ const emit = defineEmits(['update-selection', 'drag-end'])
61
+
62
+ // Statess
63
+ const position = ref(0)
64
+ const isDragging = ref(false)
65
+ const currentSelection = ref({ startIndex: 0, endIndex: props.barsToShow })
66
+
67
+ // Variables for tracking drag state
68
+ let startX = 0
69
+ let startPos = 0
70
+
71
+ const actualBarWidth = computed(() => {
72
+ if (props.isScrollable) {
73
+ return props.barWidth
74
+ }
75
+
76
+ return props.containerWidth / props.totalBars
77
+ })
78
+
79
+ const boxWidth = computed(() => {
80
+ if (props.isScrollable) {
81
+ return (
82
+ (props.barWidth + props.gap) * props.barsToShow -
83
+ props.gap +
84
+ PADDING * 2
85
+ )
86
+ }
87
+
88
+ return actualBarWidth.value * props.barsToShow
89
+ })
90
+
91
+ const calculateSelection = () => {
92
+ if (props.isScrollable) {
93
+ const startIndex = Math.floor(
94
+ (position.value + PADDING) / (props.barWidth + props.gap)
95
+ )
96
+ const endIndex = Math.min(startIndex + props.barsToShow, props.totalBars)
97
+ return { startIndex, endIndex }
98
+ }
99
+
100
+ const boxStart = position.value
101
+ const boxEnd = position.value + boxWidth.value
102
+ const sectionWidth = props.containerWidth / props.totalBars
103
+
104
+ const startIndex = Math.round(boxStart / sectionWidth)
105
+ const endIndex = Math.min(
106
+ Math.round(boxEnd / sectionWidth),
107
+ props.totalBars
108
+ )
109
+ return { startIndex, endIndex }
110
+ }
111
+
112
+ const startDrag = (e) => {
113
+ isDragging.value = true
114
+ startX = e.clientX
115
+ startPos = position.value
116
+
117
+ document.addEventListener('mousemove', handleDrag)
118
+ document.addEventListener('mouseup', stopDrag)
119
+ }
120
+
121
+ const handleDrag = (e) => {
122
+ if (!isDragging.value) return
123
+
124
+ const delta = e.clientX - startX
125
+ const newPosition = startPos + delta
126
+
127
+ // Constrain position within valid bounds
128
+ const maxPosition = props.containerWidth - boxWidth.value + PADDING * 2
129
+ position.value = Math.max(-PADDING, Math.min(newPosition, maxPosition))
130
+
131
+ // Update current selection and emit event
132
+ currentSelection.value = calculateSelection()
133
+ emit('update-selection', currentSelection.value)
134
+ }
135
+
136
+ const stopDrag = () => {
137
+ isDragging.value = false
138
+ document.removeEventListener('mousemove', handleDrag)
139
+ document.removeEventListener('mouseup', stopDrag)
140
+
141
+ emit('update-selection', currentSelection.value)
142
+ emit('drag-end')
143
+ }
144
+
145
+ onMounted(() => {
146
+ // Ensure we start with valid selection indices
147
+ currentSelection.value = { startIndex: 0, endIndex: props.barsToShow }
148
+ emit('update-selection', currentSelection.value)
149
+ })
150
+ </script>
@@ -0,0 +1,5 @@
1
+ export { useTooltip } from './useTooltip'
2
+ export { useChartData } from './useChartData'
3
+ export { useAxisCalculations } from './useAxisCalculations'
4
+ export { useSelection } from './useSelection'
5
+ export { useChartScroll } from './useChartScroll'
@@ -0,0 +1,104 @@
1
+ import { computed } from 'vue'
2
+
3
+ export function useAxisCalculations(props, maxValue) {
4
+ const findNiceNumber = (value) => {
5
+ // Handle 0 or negative values
6
+ if (value <= 0) return 0
7
+
8
+ if (value < 1) {
9
+ return Math.ceil(value * 10) / 10
10
+ }
11
+
12
+ const exponent = Math.floor(Math.log10(value))
13
+ const factor = Math.pow(10, exponent)
14
+ const normalized = value / factor
15
+
16
+ const niceNumbers = [
17
+ 1.0, 1.2, 1.5, 1.6, 2.0, 2.5, 3.0, 4.0, 5.0, 6.0, 8.0, 10.0,
18
+ ]
19
+ const niceNormalized = niceNumbers.find((n) => n >= normalized) || 10.0
20
+
21
+ return niceNormalized * factor
22
+ }
23
+
24
+ // Calculate max value with padding, rounded to nice numbers
25
+ const paddedMaxValue = computed(() => {
26
+ const rawMax = maxValue.value
27
+ const withPadding = rawMax * 1.1
28
+ const niceNumber = findNiceNumber(withPadding)
29
+
30
+ return niceNumber
31
+ })
32
+
33
+ const calculateStepSize = (max) => {
34
+ const preferredDivisions = [5, 6, 7, 8, 9, 10]
35
+
36
+ for (const divisions of preferredDivisions) {
37
+ const roughStep = max / divisions
38
+ const niceStep = findNiceNumber(roughStep)
39
+
40
+ const numCompleteSteps = Math.floor(max / niceStep)
41
+ const actualMax = niceStep * numCompleteSteps
42
+
43
+ // Only use this step size if it gets us close to our target max
44
+ // and gives us the right number of ticks
45
+ if (
46
+ actualMax >= max * 0.95 && // Within 5% of target max
47
+ numCompleteSteps + 1 >= 5 &&
48
+ numCompleteSteps + 1 <= 10
49
+ ) {
50
+ return niceStep
51
+ }
52
+ }
53
+
54
+ // If no perfect match found, use max/6
55
+ return findNiceNumber(max / 6)
56
+ }
57
+
58
+ const yAxisLabels = computed(() => {
59
+ const max = paddedMaxValue.value
60
+
61
+ if (max === 0) {
62
+ return [0]
63
+ }
64
+
65
+ const stepSize = calculateStepSize(max)
66
+ const labels = []
67
+
68
+ // Generate labels including 0 up to numSteps
69
+ const numSteps = Math.floor(max / stepSize)
70
+ for (let i = 0; i <= numSteps; i++) {
71
+ labels.push(i * stepSize)
72
+ }
73
+
74
+ // Ensure we always have at least 2 labels (0 and max)
75
+ if (labels.length < 2) {
76
+ labels.push(max)
77
+ }
78
+
79
+ return labels
80
+ })
81
+
82
+ const yAxisHeight = computed(() => {
83
+ return '100%'
84
+ })
85
+
86
+ const yAxisWidth = computed(() => {
87
+ return !!props.yAxisTitle || props.isBottomFieldsShown ? '70px' : '60px'
88
+ })
89
+
90
+ const isChartControlsShown = (position) => {
91
+ return (
92
+ props.chartControlsPosition === position &&
93
+ (props.isLegendShown || props.splitButtonOptions.length)
94
+ )
95
+ }
96
+
97
+ return {
98
+ yAxisLabels,
99
+ yAxisHeight,
100
+ yAxisWidth,
101
+ isChartControlsShown,
102
+ paddedMaxValue,
103
+ }
104
+ }