Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat(sqllab): save query parameters in database #21682

Merged
merged 7 commits into from
Oct 7, 2022
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
49 changes: 31 additions & 18 deletions superset-frontend/src/SqlLab/actions/sqlLab.js
Original file line number Diff line number Diff line change
Expand Up @@ -111,17 +111,17 @@ const ERR_MSG_CANT_LOAD_QUERY = t("The query couldn't be loaded");
const queryClientMapping = {
id: 'remoteId',
db_id: 'dbId',
client_id: 'id',
label: 'name',
template_parameters: 'templateParams',
};
const queryServerMapping = invert(queryClientMapping);

// uses a mapping like those above to convert object key names to another style
const fieldConverter = mapping => obj =>
mapKeys(obj, (value, key) => (key in mapping ? mapping[key] : key));

const convertQueryToServer = fieldConverter(queryServerMapping);
const convertQueryToClient = fieldConverter(queryClientMapping);
export const convertQueryToServer = fieldConverter(queryServerMapping);
export const convertQueryToClient = fieldConverter(queryClientMapping);

export function getUpToDateQuery(rootState, queryEditor, key) {
const {
Expand Down Expand Up @@ -903,17 +903,23 @@ export function queryEditorSetAutorun(queryEditor, autorun) {
};
}

export function queryEditorSetTitle(queryEditor, name) {
export function queryEditorSetTitle(queryEditor, name, id) {
return function (dispatch) {
const sync = isFeatureEnabled(FeatureFlag.SQLLAB_BACKEND_PERSISTENCE)
? SupersetClient.put({
endpoint: encodeURI(`/tabstateview/${queryEditor.id}`),
endpoint: encodeURI(`/tabstateview/${id}`),
postPayload: { label: name },
})
: Promise.resolve();

return sync
.then(() => dispatch({ type: QUERY_EDITOR_SET_TITLE, queryEditor, name }))
.then(() =>
dispatch({
type: QUERY_EDITOR_SET_TITLE,
queryEditor: { ...queryEditor, id },
name,
}),
)
.catch(() =>
dispatch(
addDangerToast(
Expand All @@ -926,21 +932,26 @@ export function queryEditorSetTitle(queryEditor, name) {
};
}

export function saveQuery(query) {
export function saveQuery(query, clientId) {
const { id, ...payload } = convertQueryToServer(query);

return dispatch =>
SupersetClient.post({
endpoint: '/savedqueryviewapi/api/create',
postPayload: convertQueryToServer(query),
stringify: false,
endpoint: '/api/v1/saved_query/',
jsonPayload: convertQueryToServer(payload),
Comment on lines -932 to +941
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I love the migration to v1 API! 🚀

})
.then(result => {
const savedQuery = convertQueryToClient(result.json.item);
const savedQuery = convertQueryToClient({
id: result.json.id,
...result.json.result,
});
dispatch({
type: QUERY_EDITOR_SAVED,
query,
clientId,
result: savedQuery,
});
dispatch(queryEditorSetTitle(query, query.name));
dispatch(queryEditorSetTitle(query, query.name, clientId));
return savedQuery;
})
.catch(() =>
Expand All @@ -966,16 +977,17 @@ export const addSavedQueryToTabState =
});
};

export function updateSavedQuery(query) {
export function updateSavedQuery(query, clientId) {
const { id, ...payload } = convertQueryToServer(query);

return dispatch =>
SupersetClient.put({
endpoint: `/savedqueryviewapi/api/update/${query.remoteId}`,
postPayload: convertQueryToServer(query),
stringify: false,
endpoint: `/api/v1/saved_query/${query.remoteId}`,
jsonPayload: convertQueryToServer(payload),
})
.then(() => {
dispatch(addSuccessToast(t('Your query was updated')));
dispatch(queryEditorSetTitle(query, query.name));
dispatch(queryEditorSetTitle(query, query.name, clientId));
})
.catch(e => {
const message = t('Your query could not be updated');
Expand Down Expand Up @@ -1350,11 +1362,12 @@ export function popStoredQuery(urlId) {
export function popSavedQuery(saveQueryId) {
return function (dispatch) {
return SupersetClient.get({
endpoint: `/savedqueryviewapi/api/get/${saveQueryId}`,
endpoint: `/api/v1/saved_query/${saveQueryId}`,
})
.then(({ json }) => {
const queryEditorProps = {
...convertQueryToClient(json.result),
dbId: json.result?.database?.id,
loaded: true,
autorun: false,
};
Expand Down
30 changes: 20 additions & 10 deletions superset-frontend/src/SqlLab/actions/sqlLab.test.js
Original file line number Diff line number Diff line change
Expand Up @@ -24,7 +24,12 @@ import thunk from 'redux-thunk';
import shortid from 'shortid';
import * as featureFlags from 'src/featureFlags';
import * as actions from 'src/SqlLab/actions/sqlLab';
import { defaultQueryEditor, query, initialState } from 'src/SqlLab/fixtures';
import {
defaultQueryEditor,
query,
initialState,
queryId,
} from 'src/SqlLab/fixtures';

const middlewares = [thunk];
const mockStore = configureMockStore(middlewares);
Expand Down Expand Up @@ -59,30 +64,32 @@ describe('async actions', () => {
fetchMock.post(runQueryEndpoint, `{ "data": ${mockBigNumber} }`);

describe('saveQuery', () => {
const saveQueryEndpoint = 'glob:*/savedqueryviewapi/api/create';
const saveQueryEndpoint = 'glob:*/api/v1/saved_query/';
fetchMock.post(saveQueryEndpoint, { results: { json: {} } });

const makeRequest = () => {
const request = actions.saveQuery(query);
const request = actions.saveQuery(query, queryId);
return request(dispatch, () => initialState);
};

it('posts to the correct url', () => {
expect.assertions(1);

const store = mockStore(initialState);
return store.dispatch(actions.saveQuery(query)).then(() => {
return store.dispatch(actions.saveQuery(query, queryId)).then(() => {
expect(fetchMock.calls(saveQueryEndpoint)).toHaveLength(1);
});
});

it('posts the correct query object', () => {
const store = mockStore(initialState);
return store.dispatch(actions.saveQuery(query)).then(() => {
return store.dispatch(actions.saveQuery(query, queryId)).then(() => {
const call = fetchMock.calls(saveQueryEndpoint)[0];
const formData = call[1].body;
Object.keys(query).forEach(key => {
expect(formData.get(key)).toBeDefined();
const formData = JSON.parse(call[1].body);
const mappedQueryToServer = actions.convertQueryToServer(query);

Object.keys(mappedQueryToServer).forEach(key => {
expect(formData[key]).toBeDefined();
});
});
});
Expand Down Expand Up @@ -370,12 +377,13 @@ describe('async actions', () => {
queryEditor: {
name: 'Copy of Dummy query editor',
dbId: 1,
schema: null,
schema: query.schema,
autorun: true,
sql: 'SELECT * FROM something',
queryLimit: undefined,
maxRow: undefined,
id: 'abcd',
templateParams: undefined,
},
},
];
Expand Down Expand Up @@ -635,7 +643,9 @@ describe('async actions', () => {
},
];
return store
.dispatch(actions.queryEditorSetTitle(queryEditor, name))
.dispatch(
actions.queryEditorSetTitle(queryEditor, name, queryEditor.id),
)
.then(() => {
expect(store.getActions()).toEqual(expectedActions);
expect(fetchMock.calls(updateTabStateEndpoint)).toHaveLength(1);
Expand Down
30 changes: 11 additions & 19 deletions superset-frontend/src/SqlLab/components/SaveQuery/index.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -36,8 +36,8 @@ import { QueryEditor } from 'src/SqlLab/types';
interface SaveQueryProps {
queryEditorId: string;
columns: ISaveableDatasource['columns'];
onSave: (arg0: QueryPayload) => void;
onUpdate: (arg0: QueryPayload) => void;
onSave: (arg0: QueryPayload, id: string) => void;
onUpdate: (arg0: QueryPayload, id: string) => void;
saveQueryWarning: string | null;
database: Record<string, any>;
}
Expand All @@ -46,19 +46,8 @@ type QueryPayload = {
name: string;
description?: string;
id?: string;
} & Pick<
QueryEditor,
| 'autorun'
| 'dbId'
| 'schema'
| 'sql'
| 'selectedText'
| 'remoteId'
| 'latestQueryId'
| 'queryLimit'
| 'tableOptions'
| 'schemaOptions'
>;
remoteId?: number;
} & Pick<QueryEditor, 'dbId' | 'schema' | 'sql'>;

const Styles = styled.span`
span[role='img'] {
Expand Down Expand Up @@ -93,11 +82,11 @@ export default function SaveQuery({
'selectedText',
'sql',
'tableOptions',
'templateParams',
]);
const query = useMemo(
() => ({
...queryEditor,
columns,
}),
[queryEditor, columns],
);
Expand All @@ -120,10 +109,13 @@ export default function SaveQuery({
);

const queryPayload = () => ({
...query,
name: label,
description,
dbId: query.dbId ?? 0,
sql: query.sql,
schema: query.schema,
templateParams: query.templateParams,
remoteId: query?.remoteId || undefined,
});

useEffect(() => {
Expand All @@ -133,12 +125,12 @@ export default function SaveQuery({
const close = () => setShowSave(false);

const onSaveWrapper = () => {
onSave(queryPayload());
onSave(queryPayload(), query.id);
close();
};

const onUpdateWrapper = () => {
onUpdate(queryPayload());
onUpdate(queryPayload(), query.id);
close();
};

Expand Down
8 changes: 5 additions & 3 deletions superset-frontend/src/SqlLab/components/SqlEditor/index.jsx
Original file line number Diff line number Diff line change
Expand Up @@ -493,8 +493,8 @@ const SqlEditor = ({
);
};

const onSaveQuery = async query => {
const savedQuery = await dispatch(saveQuery(query));
const onSaveQuery = async (query, clientId) => {
const savedQuery = await dispatch(saveQuery(query, clientId));
dispatch(addSavedQueryToTabState(queryEditor, savedQuery));
};

Expand Down Expand Up @@ -574,7 +574,9 @@ const SqlEditor = ({
queryEditorId={queryEditor.id}
columns={latestQuery?.results?.columns || []}
onSave={onSaveQuery}
onUpdate={query => dispatch(updateSavedQuery(query))}
onUpdate={(query, remoteId, id) =>
dispatch(updateSavedQuery(query, remoteId, id))
}
saveQueryWarning={saveQueryWarning}
database={database}
/>
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -75,7 +75,7 @@ const SqlEditorTabHeader: React.FC<Props> = ({ queryEditor }) => {
function renameTab() {
const newTitle = prompt(t('Enter a new title for the tab'));
if (newTitle) {
actions.queryEditorSetTitle(qe, newTitle);
actions.queryEditorSetTitle(qe, newTitle, qe.id);
}
}

Expand Down
12 changes: 5 additions & 7 deletions superset-frontend/src/SqlLab/fixtures.ts
Original file line number Diff line number Diff line change
Expand Up @@ -682,17 +682,15 @@ export const initialState = {
};

export const query = {
id: 'clientId2353',
name: 'test query',
dbId: 1,
sql: 'SELECT * FROM something',
sqlEditorId: defaultQueryEditor.id,
tab: 'unimportant',
tempTable: null,
runAsync: false,
ctas: false,
cached: false,
description: 'test description',
schema: 'test schema',
};

export const queryId = 'clientId2353';

export const testQuery: ISaveableDatasource = {
name: 'unimportant',
dbId: 1,
Expand Down
4 changes: 2 additions & 2 deletions superset-frontend/src/SqlLab/reducers/sqlLab.js
Original file line number Diff line number Diff line change
Expand Up @@ -56,8 +56,8 @@ export default function sqlLabReducer(state = {}, action) {
return addToArr(newState, 'queryEditors', action.queryEditor);
},
[actions.QUERY_EDITOR_SAVED]() {
const { query, result } = action;
const existing = state.queryEditors.find(qe => qe.id === query.id);
const { query, result, clientId } = action;
const existing = state.queryEditors.find(qe => qe.id === clientId);
return alterInArr(
state,
'queryEditors',
Expand Down
Original file line number Diff line number Diff line change
@@ -0,0 +1,46 @@
# Licensed to the Apache Software Foundation (ASF) under one
# or more contributor license agreements. See the NOTICE file
# distributed with this work for additional information
# regarding copyright ownership. The ASF licenses this file
# to you under the Apache License, Version 2.0 (the
# "License"); you may not use this file except in compliance
# with the License. You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing,
# software distributed under the License is distributed on an
# "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
# KIND, either express or implied. See the License for the
# specific language governing permissions and limitations
# under the License.
"""parameters in saved queries
Revision ID: deb4c9d4a4ef
Revises: 291f024254b5
Create Date: 2022-10-03 17:34:00.721559
"""

# revision identifiers, used by Alembic.
revision = "deb4c9d4a4ef"
down_revision = "291f024254b5"

import sqlalchemy as sa
from alembic import op


def upgrade():
op.add_column(
"saved_query",
sa.Column(
"template_parameters",
sa.TEXT(),
nullable=True,
),
)


def downgrade():
with op.batch_alter_table("saved_query") as batch_op:
batch_op.drop_column("template_parameters")
1 change: 1 addition & 0 deletions superset/models/sql_lab.py
Original file line number Diff line number Diff line change
Expand Up @@ -344,6 +344,7 @@ class SavedQuery(Model, AuditMixinNullable, ExtraJSONMixin, ImportExportMixin):
label = Column(String(256))
description = Column(Text)
sql = Column(Text)
template_parameters = Column(Text)
user = relationship(
security_manager.user_model,
backref=backref("saved_queries", cascade="all, delete-orphan"),
Expand Down
Loading