Skip to content

Commit 8697bb8

Browse files
authored
[deploy] Merge pull request #52 from microsoft/dev
Dev
2 parents 48141a5 + c9c9627 commit 8697bb8

10 files changed

+233
-37
lines changed

DEVELOPMENT.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -44,7 +44,7 @@ How to set up your local machine.
4444
```bash
4545
yarn start
4646
```
47-
Open [http://localhost:3000](http://localhost:3000) to view it in the browser.
47+
Open [http://localhost:5173](http://localhost:5173) to view it in the browser.
4848
The page will reload if you make edits. You will also see any lint errors in the console.
4949

5050
## Build for Production

README.md

+4
Original file line numberDiff line numberDiff line change
@@ -22,6 +22,10 @@ Transform data and create rich visualizations iteratively with AI 🪄. Try Data
2222

2323
## News 🔥🔥🔥
2424

25+
- [11-07-2024] Minor fun update: data visualization challenges!
26+
- We added a few visualization challenges with the sample datasets. Can you complete them all? [[try them out!]](https://github.com/microsoft/data-formulator/issues/53#issue-2641841252)
27+
- Comment in the issue when you did, or share your results/questions with others! [[comment here]](https://github.com/microsoft/data-formulator/issues/53)
28+
2529
- [10-11-2024] Data Formulator python package released!
2630
- You can now install Data Formulator using Python and run it locally, easily. [[check it out]](#get-started).
2731
- Our Codespaces configuration is also updated for fast start up ⚡️. [[try it now!]](https://codespaces.new/microsoft/data-formulator?quickstart=1)

py-src/data_formulator/app.py

+39-4
Original file line numberDiff line numberDiff line change
@@ -5,6 +5,9 @@
55
import random
66
import sys
77
import os
8+
import mimetypes
9+
mimetypes.add_type('application/javascript', '.js')
10+
mimetypes.add_type('application/javascript', '.mjs')
811

912
import flask
1013
from flask import Flask, request, send_from_directory, redirect, url_for
@@ -53,13 +56,45 @@
5356
@app.route('/vega-datasets')
5457
def get_example_dataset_list():
5558
dataset_names = vega_data.list_datasets()
56-
example_datasets = ['co2-concentration', 'movies', 'seattle-weather',
57-
'disasters', 'unemployment-across-industries']
59+
example_datasets = [
60+
{"name": "gapminder", "challenges": [
61+
{"text": "Create a line chart to show the life expectancy trend of each country over time.", "difficulty": "easy"},
62+
{"text": "Visualize the top 10 countries with highest life expectancy in 2005.", "difficulty": "medium"},
63+
{"text": "Find top 10 countries that have the biggest difference of life expectancy in 1955 and 2005.", "difficulty": "hard"},
64+
{"text": "Rank countries by their average population per decade. Then only show countries with population over 50 million in 2005.", "difficulty": "hard"}
65+
]},
66+
{"name": "income", "challenges": [
67+
{"text": "Create a line chart to show the income trend of each state over time.", "difficulty": "easy"},
68+
{"text": "Only show washington and california's percentage of population in each income group each year.", "difficulty": "medium"},
69+
{"text": "Find the top 5 states with highest percentage of high income group in 2016.", "difficulty": "hard"}
70+
]},
71+
{"name": "disasters", "challenges": [
72+
{"text": "Create a scatter plot to show the number of death from each disaster type each year.", "difficulty": "easy"},
73+
{"text": "Filter the data and show the number of death caused by flood or drought each year.", "difficulty": "easy"},
74+
{"text": "Create a heatmap to show the total number of death caused by each disaster type each decade.", "difficulty": "hard"},
75+
{"text": "Exclude 'all natural disasters' from the previous chart.", "difficulty": "medium"}
76+
]},
77+
{"name": "movies", "challenges": [
78+
{"text": "Create a scatter plot to show the relationship between budget and worldwide gross.", "difficulty": "easy"},
79+
{"text": "Find the top 10 movies with highest profit after 2000 and visualize them in a bar chart.", "difficulty": "easy"},
80+
{"text": "Visualize the median profit ratio of movies in each genre", "difficulty": "medium"},
81+
{"text": "Create a scatter plot to show the relationship between profit and IMDB rating.", "difficulty": "medium"},
82+
{"text": "Turn the above plot into a heatmap by bucketing IMDB rating and profit, color tiles by the number of movies in each bucket.", "difficulty": "hard"}
83+
]},
84+
{"name": "unemployment-across-industries", "challenges": [
85+
{"text": "Create a scatter plot to show the relationship between unemployment rate and year.", "difficulty": "easy"},
86+
{"text": "Create a line chart to show the average unemployment per year for each industry.", "difficulty": "medium"},
87+
{"text": "Find the 5 most stable industries (least change in unemployment rate between 2000 and 2010) and visualize their trend over time using line charts.", "difficulty": "medium"},
88+
{"text": "Create a bar chart to show the unemployment rate change between 2000 and 2010, and highlight the top 5 most stable industries with least change.", "difficulty": "hard"}
89+
]}
90+
]
5891
dataset_info = []
5992
print(dataset_names)
60-
for name in example_datasets:
93+
for dataset in example_datasets:
94+
name = dataset["name"]
95+
challenges = dataset["challenges"]
6196
try:
62-
info_obj = {'name': name, 'snapshot': vega_data(name).to_json(orient='records')}
97+
info_obj = {'name': name, 'challenges': challenges, 'snapshot': vega_data(name).to_json(orient='records')}
6398
dataset_info.append(info_obj)
6499
except:
65100
pass

pyproject.toml

+1-1
Original file line numberDiff line numberDiff line change
@@ -4,7 +4,7 @@ build-backend = "setuptools.build_meta"
44

55
[project]
66
name = "data_formulator"
7-
version = "0.1.3.3"
7+
version = "0.1.4"
88

99
requires-python = ">=3.9"
1010
authors = [

src/app/dfSlice.tsx

+11
Original file line numberDiff line numberDiff line change
@@ -11,6 +11,7 @@ import { getDataTable } from '../views/VisualizationView';
1111
import { findBaseFields } from '../views/ViewUtils';
1212
import { adaptChart, getTriggers, getUrls } from './utils';
1313
import { Type } from '../data/types';
14+
import { TableChallenges } from '../views/TableSelectionView';
1415

1516
enableMapSet();
1617

@@ -34,6 +35,8 @@ export interface DataFormulatorState {
3435

3536
tables : DictTable[];
3637
charts: Chart[];
38+
39+
activeChallenges: {tableId: string, challenges: { text: string; difficulty: 'easy' | 'medium' | 'hard'; }[]}[];
3740

3841
conceptShelfItems: FieldItem[];
3942

@@ -66,6 +69,8 @@ const initialState: DataFormulatorState = {
6669

6770
tables: [],
6871
charts: [],
72+
73+
activeChallenges: [],
6974

7075
conceptShelfItems: [],
7176

@@ -222,6 +227,7 @@ export const dataFormulatorSlice = createSlice({
222227

223228
state.tables = [];
224229
state.charts = [];
230+
state.activeChallenges = [];
225231

226232
state.conceptShelfItems = [];
227233

@@ -248,6 +254,8 @@ export const dataFormulatorSlice = createSlice({
248254
//state.table = undefined;
249255
state.tables = savedState.tables || [];
250256
state.charts = savedState.charts || [];
257+
258+
state.activeChallenges = savedState.activeChallenges || [];
251259

252260
state.conceptShelfItems = savedState.conceptShelfItems || [];
253261

@@ -306,6 +314,9 @@ export const dataFormulatorSlice = createSlice({
306314
// separate this, so that we only delete on tier of table a time
307315
state.charts = state.charts.filter(c => !(c.intermediate && c.intermediate.resultTableId == tableId));
308316
},
317+
addChallenges: (state, action: PayloadAction<{tableId: string, challenges: { text: string; difficulty: 'easy' | 'medium' | 'hard'; }[]}>) => {
318+
state.activeChallenges = [...state.activeChallenges, action.payload];
319+
},
309320
createNewChart: (state, action: PayloadAction<{chartType?: string, tableId?: string}>) => {
310321
let chartType = action.payload.chartType;
311322
let tableId = action.payload.tableId || state.tables[0].id;

src/components/ChartTemplates.tsx

+1-1
Original file line numberDiff line numberDiff line change
@@ -55,7 +55,7 @@ const tablePlots: ChartTemplate[] = [
5555
"chart": "Table",
5656
"icon": chartIconTable,
5757
"template": { },
58-
"channels": ["field 1", "field 2", "field 3", "field 4", "field 5", 'field 6'],
58+
"channels": [], //"field 1", "field 2", "field 3", "field 4", "field 5", 'field 6'
5959
"paths": { }
6060
},
6161
]

src/views/EncodingShelfCard.tsx

+4-1
Original file line numberDiff line numberDiff line change
@@ -433,7 +433,10 @@ export const EncodingShelfCard: FC<EncodingShelfCardProps> = function ({ chartId
433433
newChart.intermediate = undefined;
434434
}
435435

436-
newChart = resolveChartFields(newChart, currentConcepts, refinedGoal, candidateTable);
436+
// there is no need to resolve fields for table chart, just display all fields
437+
if (chart.chartType != "Table") {
438+
newChart = resolveChartFields(newChart, currentConcepts, refinedGoal, candidateTable);
439+
}
437440

438441
dispatch(dfActions.addChart(newChart));
439442
dispatch(dfActions.setFocusedChart(newChart.id));

src/views/MessageSnackbar.tsx

+94-7
Original file line numberDiff line numberDiff line change
@@ -8,9 +8,9 @@ import IconButton from '@mui/material/IconButton';
88
import CloseIcon from '@mui/icons-material/Close';
99
import { DataFormulatorState, dfActions } from '../app/dfSlice';
1010
import { useDispatch, useSelector } from 'react-redux';
11-
import { Alert, Box, Tooltip, Typography } from '@mui/material';
11+
import { Alert, alpha, Box, Paper, Tooltip, Typography } from '@mui/material';
1212
import InfoIcon from '@mui/icons-material/Info';
13-
13+
import AssignmentIcon from '@mui/icons-material/Assignment';
1414

1515
export interface Message {
1616
type: "success" | "info" | "error",
@@ -22,11 +22,14 @@ export interface Message {
2222

2323
export function MessageSnackbar() {
2424

25+
const challenges = useSelector((state: DataFormulatorState) => state.activeChallenges);
2526
const messages = useSelector((state: DataFormulatorState) => state.messages);
2627
const displayedMessageIdx = useSelector((state: DataFormulatorState) => state.displayedMessageIdx);
2728
const dispatch = useDispatch();
29+
const tables = useSelector((state: DataFormulatorState) => state.tables);
2830

2931
const [open, setOpen] = React.useState(false);
32+
const [openChallenge, setOpenChallenge] = React.useState(true);
3033
const [message, setMessage] = React.useState<Message | undefined>();
3134

3235
React.useEffect(()=>{
@@ -60,13 +63,97 @@ export function MessageSnackbar() {
6063
let timeZone = Intl.DateTimeFormat().resolvedOptions().timeZone;
6164
let timestamp = message == undefined ? "" : new Date((message as Message).timestamp).toLocaleString('en-US', { timeZone, hour: "2-digit", minute: "2-digit", second: "2-digit" });
6265

66+
console.log(challenges);
67+
let challenge = challenges.find(c => tables.find(t => t.id == c.tableId));
68+
6369
return (
6470
<Box>
65-
<Tooltip placement="right" title="view last message"><IconButton disabled={messages.length == 0} sx={{position: "absolute", bottom: 16, right: 0}}
66-
onClick={()=>{
67-
setOpen(true);
68-
setMessage(messages[messages.length - 1]);
69-
}}><InfoIcon /></IconButton></Tooltip>
71+
<Tooltip placement="right" title="view challenges">
72+
<IconButton
73+
color="warning"
74+
disabled={challenges.length === 0}
75+
sx={{
76+
position: "absolute",
77+
bottom: 56,
78+
right: 8,
79+
animation: challenges.length > 0 ? 'glow 1.5s ease-in-out infinite alternate' : 'none',
80+
'@keyframes glow': {
81+
from: {
82+
boxShadow: '0 0 5px #fff, 0 0 10px #fff, 0 0 15px #ed6c02'
83+
},
84+
to: {
85+
boxShadow: '0 0 10px #fff, 0 0 20px #fff, 0 0 30px #ed6c02'
86+
}
87+
}
88+
}}
89+
onClick={() => setOpenChallenge(true)}
90+
>
91+
<AssignmentIcon />
92+
</IconButton>
93+
</Tooltip>
94+
<Tooltip placement="right" title="view last message">
95+
<IconButton disabled={messages.length == 0} sx={{position: "absolute", bottom: 16, right: 8}}
96+
onClick={()=>{
97+
setOpen(true);
98+
setMessage(messages[messages.length - 1]);
99+
}}
100+
>
101+
<InfoIcon />
102+
</IconButton>
103+
</Tooltip>
104+
{challenge != undefined ? <Snackbar
105+
open={openChallenge}
106+
anchorOrigin={{vertical: 'bottom', horizontal: 'right'}}
107+
sx={{maxWidth: '400px'}}
108+
>
109+
<Paper sx={{
110+
width: '100%',
111+
bgcolor: 'white',
112+
color: 'text.primary',
113+
p: 2,
114+
boxShadow: 2,
115+
borderRadius: 1,
116+
border: '1px solid #e0e0e0',
117+
display: 'flex',
118+
flexDirection: 'column'
119+
}}>
120+
<Box sx={{display: 'flex', justifyContent: 'space-between', alignItems: 'center', mb: 1}}>
121+
<Typography variant="subtitle1" sx={{fontWeight: 'bold', fontSize: 14}}>
122+
Visualization challenges for dataset <Box component="span" sx={{fontWeight: 'bold', color: 'primary.main'}}>{challenge.tableId}</Box>
123+
</Typography>
124+
<IconButton
125+
size="small"
126+
aria-label="close"
127+
onClick={() => setOpenChallenge(false)}
128+
>
129+
<CloseIcon fontSize="small" />
130+
</IconButton>
131+
</Box>
132+
<Box sx={{mb: 2}}>
133+
{challenge.challenges.map((ch, j) => (
134+
<Typography
135+
key={j}
136+
variant="body2"
137+
sx={{
138+
fontSize: 12,
139+
marginBottom: 1,
140+
color: ch.difficulty === 'easy' ? 'success.main'
141+
: ch.difficulty === 'medium' ? 'warning.main'
142+
: 'error.main'
143+
}}
144+
>
145+
<Box
146+
component="span"
147+
sx={{fontWeight: 'bold'}}
148+
>
149+
[{ch.difficulty}]
150+
</Box>
151+
{' '}{ch.text}
152+
</Typography>
153+
))}
154+
</Box>
155+
</Paper>
156+
</Snackbar> : ""}
70157
{message != undefined ? <Snackbar
71158
open={open && message != undefined}
72159
autoHideDuration={message?.type == "error" ? 15000 : 5000}

src/views/SelectableDataGrid.tsx

+33-2
Original file line numberDiff line numberDiff line change
@@ -29,6 +29,7 @@ import { FieldSource } from '../components/ComponentType';
2929

3030
import ChevronLeftIcon from '@mui/icons-material/ChevronLeft';
3131
import DeleteIcon from '@mui/icons-material/Delete';
32+
import FileDownloadIcon from '@mui/icons-material/FileDownload';
3233
import { dfActions, dfSelectors } from '../app/dfSlice';
3334
import { useDispatch, useSelector } from 'react-redux';
3435
import { getUrls } from '../app/utils';
@@ -266,13 +267,14 @@ export const SelectableDataGrid: React.FC<SelectableDataGridProps> = ({ rows, ta
266267
{`${rowsToDisplay.length} matches`}
267268
</Typography>: ''}
268269
</Box>
269-
<Tooltip key="delete-action" title={`Delete ${tableName}\n(note: all charts and concepts based on this table will be deleted)`}>
270+
{/* <Tooltip key="delete-action" title={`Delete ${tableName}\n(note: all charts and concepts based on this table will be deleted)`}>
270271
<IconButton size="small" color="warning" sx={{marginRight: 1}} onClick={() => {
271272
dispatch(dfActions.deleteTable(tableName))
272273
}}>
273274
<DeleteIcon/>
274275
</IconButton>
275-
</Tooltip>
276+
</Tooltip> */}
277+
276278
<IconButton size="small" color="primary"
277279
onClick={() => {
278280
console.log(`[fyi] just sent request to process load data`);
@@ -452,6 +454,35 @@ export const SelectableDataGrid: React.FC<SelectableDataGridProps> = ({ rows, ta
452454
{footerActionsItems}
453455
</Collapse>
454456
<Box sx={{display: 'flex', alignItems: 'center', marginRight: 1}}>
457+
<Tooltip title={`Download ${tableName} as CSV`}>
458+
<IconButton size="small" color="primary" sx={{marginRight: 1}}
459+
onClick={() => {
460+
// Create CSV content
461+
const csvContent = [
462+
Object.keys(rows[0]).join(','), // Header row
463+
...rows.map(row => Object.values(row).map(value =>
464+
// Handle values that need quotes (contain commas or quotes)
465+
typeof value === 'string' && (value.includes(',') || value.includes('"'))
466+
? `"${value.replace(/"/g, '""')}"`
467+
: value
468+
).join(','))
469+
].join('\n');
470+
471+
// Create and trigger download
472+
const blob = new Blob([csvContent], { type: 'text/csv;charset=utf-8;' });
473+
const link = document.createElement('a');
474+
const url = URL.createObjectURL(blob);
475+
link.setAttribute('href', url);
476+
link.setAttribute('download', `${tableName}.csv`);
477+
link.style.visibility = 'hidden';
478+
document.body.appendChild(link);
479+
link.click();
480+
document.body.removeChild(link);
481+
}}
482+
>
483+
<FileDownloadIcon/>
484+
</IconButton>
485+
</Tooltip>
455486
<Typography className="table-footer-number">
456487
{`${rows.length} rows`}
457488
</Typography>

0 commit comments

Comments
 (0)