2021-07-01 15:15:43 +00:00
|
|
|
import {
|
|
|
|
ActionBundle,
|
|
|
|
ActionInfo,
|
|
|
|
Envelope,
|
|
|
|
getEnvContent,
|
|
|
|
LocalActionBundle,
|
|
|
|
UserActionBundle
|
|
|
|
} from 'app/common/ActionBundle';
|
2021-10-25 13:29:06 +00:00
|
|
|
import {DocAction, getNumRows, UserAction} from 'app/common/DocActions';
|
2021-07-01 15:15:43 +00:00
|
|
|
import {allToken} from 'app/common/sharing';
|
2020-07-21 13:20:51 +00:00
|
|
|
import * as log from 'app/server/lib/log';
|
2021-10-25 13:29:06 +00:00
|
|
|
import {LogMethods} from "app/server/lib/LogMethods";
|
2020-07-21 13:20:51 +00:00
|
|
|
import {shortDesc} from 'app/server/lib/shortDesc';
|
|
|
|
import * as assert from 'assert';
|
2020-12-07 21:15:58 +00:00
|
|
|
import {Mutex} from 'async-mutex';
|
2020-07-21 13:20:51 +00:00
|
|
|
import * as Deque from 'double-ended-queue';
|
2021-11-10 19:14:23 +00:00
|
|
|
import {ActionHistory, asActionGroup, getActionUndoInfo} from './ActionHistory';
|
2020-07-21 13:20:51 +00:00
|
|
|
import {ActiveDoc} from './ActiveDoc';
|
2020-12-07 21:15:58 +00:00
|
|
|
import {makeExceptionalDocSession, OptDocSession} from './DocSession';
|
2020-07-21 13:20:51 +00:00
|
|
|
import {WorkCoordinator} from './WorkCoordinator';
|
|
|
|
|
|
|
|
// Describes the request to apply a UserActionBundle. It includes a Client (so that broadcast
|
|
|
|
// message can set `.fromSelf` property), and methods to resolve or reject the promise for when
|
|
|
|
// the action is applied. Note that it may not be immediate in case we are in the middle of
|
|
|
|
// processing hub actions or rebasing.
|
|
|
|
interface UserRequest {
|
|
|
|
action: UserActionBundle;
|
2020-12-15 04:19:38 +00:00
|
|
|
docSession: OptDocSession|null;
|
2020-07-21 13:20:51 +00:00
|
|
|
resolve(result: UserResult): void;
|
|
|
|
reject(err: Error): void;
|
|
|
|
}
|
|
|
|
|
|
|
|
// The result of applying a UserRequest, used to resolve the promise. It includes the retValues
|
|
|
|
// (one for each UserAction in the bundle) and the actionNum of the applied LocalActionBundle.
|
|
|
|
interface UserResult {
|
|
|
|
actionNum: number;
|
|
|
|
retValues: any[];
|
|
|
|
isModification: boolean;
|
|
|
|
}
|
|
|
|
|
|
|
|
// Internally-used enum to distinguish if applied actions should be logged as local or shared.
|
|
|
|
enum Branch { Local, Shared }
|
|
|
|
|
2021-10-25 13:29:06 +00:00
|
|
|
// Don't log details of action bundles in production.
|
|
|
|
const LOG_ACTION_BUNDLE = (process.env.NODE_ENV !== 'production');
|
|
|
|
|
2020-07-21 13:20:51 +00:00
|
|
|
export class Sharing {
|
|
|
|
protected _activeDoc: ActiveDoc;
|
|
|
|
protected _actionHistory: ActionHistory;
|
|
|
|
protected _hubQueue: Deque<ActionBundle> = new Deque();
|
|
|
|
protected _pendingQueue: Deque<UserRequest> = new Deque();
|
|
|
|
protected _workCoordinator: WorkCoordinator;
|
|
|
|
|
2021-10-25 13:29:06 +00:00
|
|
|
private _log = new LogMethods('Sharing ', (s: OptDocSession|null) => this._activeDoc.getLogMeta(s));
|
|
|
|
|
2020-12-07 21:15:58 +00:00
|
|
|
constructor(activeDoc: ActiveDoc, actionHistory: ActionHistory, private _modificationLock: Mutex) {
|
2020-07-21 13:20:51 +00:00
|
|
|
// TODO actionHistory is currently unused (we use activeDoc.actionLog).
|
|
|
|
assert(actionHistory.isInitialized());
|
|
|
|
|
|
|
|
this._activeDoc = activeDoc;
|
|
|
|
this._actionHistory = actionHistory;
|
|
|
|
this._workCoordinator = new WorkCoordinator(() => this._doNextStep());
|
|
|
|
}
|
|
|
|
|
|
|
|
/**
|
|
|
|
* Returns whether this doc is shared. It's shared if and only if HubDocClient is set (though it
|
|
|
|
* may be disconnected).
|
|
|
|
*/
|
|
|
|
public isShared(): boolean { return false; }
|
|
|
|
|
|
|
|
public isSharingActivated(): boolean { return false; }
|
|
|
|
|
|
|
|
/** Returns the instanceId if the doc is shared or null otherwise. */
|
|
|
|
public get instanceId(): string|null { return null; }
|
|
|
|
|
|
|
|
public isOwnEnvelope(recipients: string[]): boolean { return true; }
|
|
|
|
|
|
|
|
public async sendLocalAction(): Promise<void> {
|
|
|
|
throw new Error('sendLocalAction not implemented');
|
|
|
|
}
|
|
|
|
|
|
|
|
public async removeInstanceFromDoc(): Promise<string> {
|
|
|
|
throw new Error('removeInstanceFromDoc not implemented');
|
|
|
|
}
|
|
|
|
|
|
|
|
/**
|
|
|
|
* The only public interface. This may be called at any time, including while rebasing.
|
|
|
|
* WorkCoordinator ensures that actual work will only happen once other work finishes.
|
|
|
|
*/
|
|
|
|
public addUserAction(userRequest: UserRequest) {
|
|
|
|
this._pendingQueue.push(userRequest);
|
|
|
|
this._workCoordinator.ping();
|
|
|
|
}
|
|
|
|
|
|
|
|
// Returns a promise if there is some work happening, or null if there isn't.
|
|
|
|
private _doNextStep(): Promise<void>|null {
|
|
|
|
if (this._hubQueue.isEmpty()) {
|
|
|
|
if (!this._pendingQueue.isEmpty()) {
|
|
|
|
return this._applyLocalAction();
|
|
|
|
} else if (this.isSharingActivated() && this._actionHistory.haveLocalUnsent()) {
|
|
|
|
return this.sendLocalAction();
|
|
|
|
} else {
|
|
|
|
return null;
|
|
|
|
}
|
|
|
|
} else {
|
|
|
|
if (!this._actionHistory.haveLocalActions()) {
|
|
|
|
return this._applyHubAction();
|
|
|
|
} else {
|
|
|
|
return this._mergeInHubAction();
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
private async _applyLocalAction(): Promise<void> {
|
|
|
|
assert(this._hubQueue.isEmpty() && !this._pendingQueue.isEmpty());
|
|
|
|
const userRequest: UserRequest = this._pendingQueue.shift()!;
|
|
|
|
try {
|
2021-05-23 17:43:11 +00:00
|
|
|
const ret = await this._doApplyUserActionBundle(userRequest.action, userRequest.docSession);
|
2020-07-21 13:20:51 +00:00
|
|
|
userRequest.resolve(ret);
|
|
|
|
} catch (e) {
|
2021-10-25 13:29:06 +00:00
|
|
|
this._log.warn(userRequest.docSession, "Unable to apply action...", e);
|
2020-07-21 13:20:51 +00:00
|
|
|
userRequest.reject(e);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
private async _applyHubAction(): Promise<void> {
|
|
|
|
assert(!this._hubQueue.isEmpty() && !this._actionHistory.haveLocalActions());
|
|
|
|
const action: ActionBundle = this._hubQueue.shift()!;
|
|
|
|
try {
|
2021-05-23 17:43:11 +00:00
|
|
|
await this._doApplySharedActionBundle(action);
|
2020-07-21 13:20:51 +00:00
|
|
|
} catch (e) {
|
2021-10-25 13:29:06 +00:00
|
|
|
this._log.error(null, "Unable to apply hub action... skipping");
|
2020-07-21 13:20:51 +00:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
private async _mergeInHubAction(): Promise<void> {
|
|
|
|
assert(!this._hubQueue.isEmpty() && this._actionHistory.haveLocalActions());
|
|
|
|
|
|
|
|
const action: ActionBundle = this._hubQueue.peekFront()!;
|
|
|
|
try {
|
|
|
|
const accepted = await this._actionHistory.acceptNextSharedAction(action.actionHash);
|
|
|
|
if (accepted) {
|
|
|
|
this._hubQueue.shift();
|
|
|
|
} else {
|
|
|
|
await this._rebaseLocalActions();
|
|
|
|
}
|
|
|
|
} catch (e) {
|
2021-10-25 13:29:06 +00:00
|
|
|
this._log.error(null, "Unable to apply hub action... skipping");
|
2020-07-21 13:20:51 +00:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
private async _rebaseLocalActions(): Promise<void> {
|
|
|
|
const rebaseQueue: Deque<UserActionBundle> = new Deque<UserActionBundle>();
|
|
|
|
try {
|
2021-05-23 17:43:11 +00:00
|
|
|
this._createCheckpoint();
|
2020-07-21 13:20:51 +00:00
|
|
|
const actions: LocalActionBundle[] = await this._actionHistory.fetchAllLocal();
|
|
|
|
assert(actions.length > 0);
|
2021-05-23 17:43:11 +00:00
|
|
|
await this._doApplyUserActionBundle(this._createUndo(actions), null);
|
2020-07-21 13:20:51 +00:00
|
|
|
rebaseQueue.push(...actions.map((a) => getUserActionBundle(a)));
|
|
|
|
await this._actionHistory.clearLocalActions();
|
|
|
|
} catch (e) {
|
2021-10-25 13:29:06 +00:00
|
|
|
this._log.error(null, "Can't undo local actions; sharing is off");
|
2021-05-23 17:43:11 +00:00
|
|
|
this._rollbackToCheckpoint();
|
2020-07-21 13:20:51 +00:00
|
|
|
// TODO this.disconnect();
|
|
|
|
// TODO errorState = true;
|
|
|
|
return;
|
|
|
|
}
|
|
|
|
assert(!this._actionHistory.haveLocalActions());
|
|
|
|
|
|
|
|
while (!this._hubQueue.isEmpty()) {
|
|
|
|
await this._applyHubAction();
|
|
|
|
}
|
|
|
|
const rebaseFailures: Array<[UserActionBundle, UserActionBundle]> = [];
|
|
|
|
while (!rebaseQueue.isEmpty()) {
|
|
|
|
const action: UserActionBundle = rebaseQueue.shift()!;
|
|
|
|
const adjusted: UserActionBundle = this._mergeAdjust(action);
|
|
|
|
try {
|
2021-05-23 17:43:11 +00:00
|
|
|
await this._doApplyUserActionBundle(adjusted, null);
|
2020-07-21 13:20:51 +00:00
|
|
|
} catch (e) {
|
2021-10-25 13:29:06 +00:00
|
|
|
this._log.warn(null, "Unable to apply rebased action...");
|
2020-07-21 13:20:51 +00:00
|
|
|
rebaseFailures.push([action, adjusted]);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
if (rebaseFailures.length > 0) {
|
2021-05-23 17:43:11 +00:00
|
|
|
this._createBackupAtCheckpoint();
|
2020-07-21 13:20:51 +00:00
|
|
|
// TODO we should notify the user too.
|
2021-10-25 13:29:06 +00:00
|
|
|
this._log.error(null, 'Rebase failed to reapply some of your actions, backup of local at...');
|
2020-07-21 13:20:51 +00:00
|
|
|
}
|
2021-05-23 17:43:11 +00:00
|
|
|
this._releaseCheckpoint();
|
2020-07-21 13:20:51 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
// ======================================================================
|
|
|
|
|
2021-05-23 17:43:11 +00:00
|
|
|
private _doApplySharedActionBundle(action: ActionBundle): Promise<UserResult> {
|
2020-07-21 13:20:51 +00:00
|
|
|
const userActions: UserAction[] = [
|
|
|
|
['ApplyDocActions', action.stored.map(envContent => envContent[1])]
|
|
|
|
];
|
2021-05-23 17:43:11 +00:00
|
|
|
return this._doApplyUserActions(action.info[1], userActions, Branch.Shared, null);
|
2020-07-21 13:20:51 +00:00
|
|
|
}
|
|
|
|
|
2021-05-23 17:43:11 +00:00
|
|
|
private _doApplyUserActionBundle(action: UserActionBundle, docSession: OptDocSession|null): Promise<UserResult> {
|
|
|
|
return this._doApplyUserActions(action.info, action.userActions, Branch.Local, docSession);
|
2020-07-21 13:20:51 +00:00
|
|
|
}
|
|
|
|
|
2021-05-23 17:43:11 +00:00
|
|
|
private async _doApplyUserActions(info: ActionInfo, userActions: UserAction[],
|
2020-12-07 21:15:58 +00:00
|
|
|
branch: Branch, docSession: OptDocSession|null): Promise<UserResult> {
|
|
|
|
const client = docSession && docSession.client;
|
|
|
|
|
2021-01-27 23:03:30 +00:00
|
|
|
if (docSession?.linkId) {
|
|
|
|
info.linkId = docSession.linkId;
|
|
|
|
}
|
|
|
|
|
2021-03-01 16:51:30 +00:00
|
|
|
const {sandboxActionBundle, undo, accessControl} =
|
2020-12-07 21:15:58 +00:00
|
|
|
await this._modificationLock.runExclusive(() => this._applyActionsToDataEngine(docSession, userActions));
|
|
|
|
|
2020-11-30 15:50:00 +00:00
|
|
|
try {
|
2021-04-15 15:50:00 +00:00
|
|
|
|
|
|
|
// A trivial action does not merit allocating an actionNum,
|
|
|
|
// logging, and sharing. Since we currently don't store
|
|
|
|
// calculated values in the database, it is best not to log the
|
|
|
|
// action that initializes them when the document is opened cold
|
|
|
|
// (without cached ActiveDoc) - otherwise we'll end up with spam
|
|
|
|
// log entries for each time the document is opened cold.
|
|
|
|
|
|
|
|
const isCalculate = (userActions.length === 1 &&
|
|
|
|
userActions[0][0] === 'Calculate');
|
|
|
|
const trivial = isCalculate && sandboxActionBundle.stored.length === 0;
|
|
|
|
|
|
|
|
const actionNum = trivial ? 0 :
|
|
|
|
(branch === Branch.Shared ? this._actionHistory.getNextHubActionNum() :
|
|
|
|
this._actionHistory.getNextLocalActionNum());
|
|
|
|
|
|
|
|
const localActionBundle: LocalActionBundle = {
|
|
|
|
actionNum,
|
|
|
|
// The ActionInfo should go into the envelope that includes all recipients.
|
|
|
|
info: [findOrAddAllEnvelope(sandboxActionBundle.envelopes), info],
|
|
|
|
envelopes: sandboxActionBundle.envelopes,
|
|
|
|
stored: sandboxActionBundle.stored,
|
|
|
|
calc: sandboxActionBundle.calc,
|
|
|
|
undo,
|
|
|
|
userActions,
|
|
|
|
actionHash: null, // Gets set below by _actionHistory.recordNext...
|
|
|
|
parentActionHash: null, // Gets set below by _actionHistory.recordNext...
|
|
|
|
};
|
2021-10-25 13:29:06 +00:00
|
|
|
|
|
|
|
const logMeta = {
|
|
|
|
actionNum,
|
|
|
|
linkId: info.linkId,
|
|
|
|
otherId: info.otherId,
|
|
|
|
numDocActions: localActionBundle.stored.length,
|
|
|
|
numRows: localActionBundle.stored.reduce((n, env) => n + getNumRows(env[1]), 0),
|
|
|
|
author: info.user,
|
|
|
|
};
|
|
|
|
this._log.rawLog('debug', docSession, '_doApplyUserActions', logMeta);
|
|
|
|
if (LOG_ACTION_BUNDLE) {
|
|
|
|
this._logActionBundle(`_doApplyUserActions (${Branch[branch]})`, localActionBundle);
|
|
|
|
}
|
2021-04-15 15:50:00 +00:00
|
|
|
|
|
|
|
// TODO Note that the sandbox may produce actions which are not addressed to us (e.g. when we
|
|
|
|
// have EDIT permission without VIEW). These are not sent to the browser or the database. But
|
|
|
|
// today they are reflected in the sandbox. Should we (or the sandbox) immediately undo the
|
|
|
|
// full change, and then redo only the actions addressed to ourselves? Let's cross that bridge
|
|
|
|
// when we come to it. For now we only log skipped envelopes as "alien" in _logActionBundle().
|
|
|
|
const ownActionBundle: LocalActionBundle = this._filterOwnActions(localActionBundle);
|
|
|
|
|
2021-09-15 23:35:21 +00:00
|
|
|
// If the document has shut down in the meantime, and this was just a "Calculate" action,
|
|
|
|
// return a trivial result. This is just to reduce noisy warnings in migration tests.
|
|
|
|
if (this._activeDoc.isShuttingDown && isCalculate) {
|
|
|
|
return {
|
|
|
|
actionNum: localActionBundle.actionNum,
|
|
|
|
retValues: [],
|
|
|
|
isModification: false
|
|
|
|
};
|
|
|
|
}
|
|
|
|
|
2021-04-15 15:50:00 +00:00
|
|
|
// Apply the action to the database, and record in the action log.
|
|
|
|
if (!trivial) {
|
|
|
|
await this._activeDoc.docStorage.execTransaction(async () => {
|
|
|
|
await this._activeDoc.docStorage.applyStoredActions(getEnvContent(ownActionBundle.stored));
|
|
|
|
if (this.isShared() && branch === Branch.Local) {
|
|
|
|
// this call will compute an actionHash for localActionBundle
|
|
|
|
await this._actionHistory.recordNextLocalUnsent(localActionBundle);
|
|
|
|
} else {
|
|
|
|
// Before sharing is enabled, actions are immediately marked as "shared" (as if accepted
|
|
|
|
// by the hub). The alternative of keeping actions on the "local" branch until sharing is
|
|
|
|
// enabled is less suitable, because such actions could have empty envelopes, and cannot
|
|
|
|
// be shared. Once sharing is enabled, we would share a snapshot at that time.
|
|
|
|
await this._actionHistory.recordNextShared(localActionBundle);
|
|
|
|
}
|
|
|
|
// Check isCalculate because that's not an action we should allow undo/redo for (it's not
|
|
|
|
// considered as performed by a particular client).
|
|
|
|
if (client && client.clientId && !isCalculate) {
|
2021-09-29 13:57:55 +00:00
|
|
|
this._actionHistory.setActionUndoInfo(
|
|
|
|
localActionBundle.actionHash!,
|
|
|
|
getActionUndoInfo(localActionBundle, client.clientId, sandboxActionBundle.retValues));
|
2021-04-15 15:50:00 +00:00
|
|
|
}
|
|
|
|
});
|
|
|
|
}
|
|
|
|
await this._activeDoc.processActionBundle(ownActionBundle);
|
|
|
|
|
2021-11-10 19:14:23 +00:00
|
|
|
const actionSummary = await this._activeDoc.handleTriggers(localActionBundle);
|
(core) Initial webhooks implementation
Summary:
See https://grist.quip.com/VKd3ASF99ezD/Outgoing-Webhooks
- 2 new DocApi endpoints: _subscribe and _unsubscribe, not meant to be user friendly or publicly documented. _unsubscribe should be given the response from _subscribe in the body, e.g:
```
$ curl -X POST -H "Authorization: Bearer 8fd4dc59ecb05ab29ae5a183c03101319b8e6ca9" "http://localhost:8080/api/docs/6WYa23FqWxGNe3AR6DLjCJ/tables/Table2/_subscribe" -H "Content-type: application/json" -d '{"url": "https://webhook.site/a916b526-8afc-46e6-aa8f-a625d0d83ec3", "eventTypes": ["add"], "isReadyColumn": "C"}'
{"unsubscribeKey":"3246f158-55b5-4fc7-baa5-093b75ffa86c","triggerId":2,"webhookId":"853b4bfa-9d39-4639-aa33-7d45354903c0"}
$ curl -X POST -H "Authorization: Bearer 8fd4dc59ecb05ab29ae5a183c03101319b8e6ca9" "http://localhost:8080/api/docs/6WYa23FqWxGNe3AR6DLjCJ/tables/Table2/_unsubscribe" -H "Content-type: application/json" -d '{"unsubscribeKey":"3246f158-55b5-4fc7-baa5-093b75ffa86c","triggerId":2,"webhookId":"853b4bfa-9d39-4639-aa33-7d45354903c0"}'
{"success":true}
```
- New DB entity Secret to hold the webhook URL and unsubscribe key
- New document metatable _grist_Triggers subscribes to table changes and points to a secret to use for a webhook
- New file Triggers.ts processes action summaries and uses the two new tables to send webhooks.
- Also went on a bit of a diversion and made a typesafe subclass of TableData for metatables.
I think this is essentially good enough for a first diff, to keep the diffs manageable and to talk about the overall structure. Future diffs can add tests and more robustness using redis etc. After this diff I can also start building the Zapier integration privately.
Test Plan: Tested manually: see curl commands in summary for an example. Payloads can be seen in https://webhook.site/#!/a916b526-8afc-46e6-aa8f-a625d0d83ec3/0b9fe335-33f7-49fe-b90b-2db5ba53382d/1 . Great site for testing webhooks btw.
Reviewers: dsagal, paulfitz
Reviewed By: paulfitz
Differential Revision: https://phab.getgrist.com/D3019
2021-09-22 23:06:23 +00:00
|
|
|
|
2021-04-15 15:50:00 +00:00
|
|
|
// Broadcast the action to connected browsers.
|
|
|
|
const actionGroup = asActionGroup(this._actionHistory, localActionBundle, {
|
2021-09-29 13:57:55 +00:00
|
|
|
clientId: client?.clientId,
|
2021-04-15 15:50:00 +00:00
|
|
|
retValues: sandboxActionBundle.retValues,
|
|
|
|
// Mark the on-open Calculate action as internal. In future, synchronizing fields to today's
|
|
|
|
// date and other changes from external values may count as internal.
|
|
|
|
internal: isCalculate,
|
|
|
|
});
|
(core) Initial webhooks implementation
Summary:
See https://grist.quip.com/VKd3ASF99ezD/Outgoing-Webhooks
- 2 new DocApi endpoints: _subscribe and _unsubscribe, not meant to be user friendly or publicly documented. _unsubscribe should be given the response from _subscribe in the body, e.g:
```
$ curl -X POST -H "Authorization: Bearer 8fd4dc59ecb05ab29ae5a183c03101319b8e6ca9" "http://localhost:8080/api/docs/6WYa23FqWxGNe3AR6DLjCJ/tables/Table2/_subscribe" -H "Content-type: application/json" -d '{"url": "https://webhook.site/a916b526-8afc-46e6-aa8f-a625d0d83ec3", "eventTypes": ["add"], "isReadyColumn": "C"}'
{"unsubscribeKey":"3246f158-55b5-4fc7-baa5-093b75ffa86c","triggerId":2,"webhookId":"853b4bfa-9d39-4639-aa33-7d45354903c0"}
$ curl -X POST -H "Authorization: Bearer 8fd4dc59ecb05ab29ae5a183c03101319b8e6ca9" "http://localhost:8080/api/docs/6WYa23FqWxGNe3AR6DLjCJ/tables/Table2/_unsubscribe" -H "Content-type: application/json" -d '{"unsubscribeKey":"3246f158-55b5-4fc7-baa5-093b75ffa86c","triggerId":2,"webhookId":"853b4bfa-9d39-4639-aa33-7d45354903c0"}'
{"success":true}
```
- New DB entity Secret to hold the webhook URL and unsubscribe key
- New document metatable _grist_Triggers subscribes to table changes and points to a secret to use for a webhook
- New file Triggers.ts processes action summaries and uses the two new tables to send webhooks.
- Also went on a bit of a diversion and made a typesafe subclass of TableData for metatables.
I think this is essentially good enough for a first diff, to keep the diffs manageable and to talk about the overall structure. Future diffs can add tests and more robustness using redis etc. After this diff I can also start building the Zapier integration privately.
Test Plan: Tested manually: see curl commands in summary for an example. Payloads can be seen in https://webhook.site/#!/a916b526-8afc-46e6-aa8f-a625d0d83ec3/0b9fe335-33f7-49fe-b90b-2db5ba53382d/1 . Great site for testing webhooks btw.
Reviewers: dsagal, paulfitz
Reviewed By: paulfitz
Differential Revision: https://phab.getgrist.com/D3019
2021-09-22 23:06:23 +00:00
|
|
|
actionGroup.actionSummary = actionSummary;
|
2021-03-01 16:51:30 +00:00
|
|
|
await accessControl.appliedBundle();
|
|
|
|
await accessControl.sendDocUpdateForBundle(actionGroup);
|
2021-04-15 15:50:00 +00:00
|
|
|
if (docSession) {
|
|
|
|
docSession.linkId = docSession.shouldBundleActions ? localActionBundle.actionNum : 0;
|
|
|
|
}
|
|
|
|
return {
|
|
|
|
actionNum: localActionBundle.actionNum,
|
|
|
|
retValues: sandboxActionBundle.retValues,
|
|
|
|
isModification: sandboxActionBundle.stored.length > 0
|
|
|
|
};
|
2020-11-30 15:50:00 +00:00
|
|
|
} finally {
|
2022-02-19 09:46:49 +00:00
|
|
|
// Make sure the bundle is marked as complete, even if some miscellaneous error occurred.
|
2021-03-01 16:51:30 +00:00
|
|
|
await accessControl.finishedBundle();
|
2020-11-30 15:50:00 +00:00
|
|
|
}
|
2020-07-21 13:20:51 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
private _mergeAdjust(action: UserActionBundle): UserActionBundle {
|
|
|
|
// TODO: This is where we adjust actions after rebase, e.g. add delta to rowIds and such.
|
|
|
|
return action;
|
|
|
|
}
|
|
|
|
|
|
|
|
/**
|
|
|
|
* Creates a UserActionBundle with a single 'ApplyUndoActions' action, which combines the undo
|
|
|
|
* actions addressed to ourselves from all of the passed-in LocalActionBundles.
|
|
|
|
*/
|
|
|
|
private _createUndo(localActions: LocalActionBundle[]): UserActionBundle {
|
|
|
|
assert(localActions.length > 0);
|
|
|
|
const undo: DocAction[] = [];
|
|
|
|
for (const local of localActions) {
|
|
|
|
undo.push(...local.undo);
|
|
|
|
}
|
|
|
|
const first = localActions[0];
|
|
|
|
return {
|
|
|
|
info: {
|
|
|
|
time: Date.now(),
|
|
|
|
user: first.info[1].user,
|
|
|
|
inst: first.info[1].inst,
|
|
|
|
desc: "UNDO BEFORE REBASE",
|
|
|
|
otherId: 0,
|
|
|
|
linkId: 0,
|
|
|
|
},
|
|
|
|
userActions: [['ApplyUndoActions', undo]]
|
|
|
|
};
|
|
|
|
}
|
|
|
|
|
|
|
|
// Our beautiful little checkpointing interface, used to handle errors during rebase.
|
2021-05-23 17:43:11 +00:00
|
|
|
private _createCheckpoint() { /* TODO */ }
|
|
|
|
private _releaseCheckpoint() { /* TODO */ }
|
|
|
|
private _rollbackToCheckpoint() { /* TODO */ }
|
|
|
|
private _createBackupAtCheckpoint() { /* TODO */ }
|
2020-07-21 13:20:51 +00:00
|
|
|
|
|
|
|
/**
|
|
|
|
* Reduces a LocalActionBundle down to only those actions addressed to ourselves.
|
|
|
|
*/
|
|
|
|
private _filterOwnActions(localActionBundle: LocalActionBundle): LocalActionBundle {
|
|
|
|
const includeEnv: boolean[] = localActionBundle.envelopes.map(
|
|
|
|
(e) => this.isOwnEnvelope(e.recipients));
|
|
|
|
|
|
|
|
return Object.assign({}, localActionBundle, {
|
|
|
|
stored: localActionBundle.stored.filter((ea) => includeEnv[ea[0]]),
|
|
|
|
calc: localActionBundle.calc.filter((ea) => includeEnv[ea[0]]),
|
|
|
|
});
|
|
|
|
}
|
|
|
|
|
|
|
|
/** Log an action bundle to the debug log. */
|
|
|
|
private _logActionBundle(prefix: string, actionBundle: ActionBundle) {
|
|
|
|
const includeEnv = actionBundle.envelopes.map((e) => this.isOwnEnvelope(e.recipients));
|
|
|
|
actionBundle.stored.forEach((envAction, i) =>
|
|
|
|
log.debug("%s: stored #%s [%s%s]: %s", prefix, i, envAction[0],
|
|
|
|
(includeEnv[envAction[0]] ? "" : " alien"),
|
|
|
|
shortDesc(envAction[1])));
|
|
|
|
actionBundle.calc.forEach((envAction, i) =>
|
|
|
|
log.debug("%s: calc #%s [%s%s]: %s", prefix, i, envAction[0],
|
|
|
|
(includeEnv[envAction[0]] ? "" : " alien"),
|
|
|
|
shortDesc(envAction[1])));
|
|
|
|
}
|
2020-12-07 21:15:58 +00:00
|
|
|
|
|
|
|
private async _applyActionsToDataEngine(docSession: OptDocSession|null, userActions: UserAction[]) {
|
2021-07-15 00:45:53 +00:00
|
|
|
const sandboxActionBundle = await this._activeDoc.applyActionsToDataEngine(docSession, userActions);
|
2020-12-07 21:15:58 +00:00
|
|
|
const undo = getEnvContent(sandboxActionBundle.undo);
|
|
|
|
const docActions = getEnvContent(sandboxActionBundle.stored).concat(
|
|
|
|
getEnvContent(sandboxActionBundle.calc));
|
2021-05-12 15:04:37 +00:00
|
|
|
const isDirect = getEnvContent(sandboxActionBundle.direct);
|
2020-12-07 21:15:58 +00:00
|
|
|
|
2021-04-26 21:54:09 +00:00
|
|
|
const accessControl = this._activeDoc.getGranularAccessForBundle(
|
2021-05-12 15:04:37 +00:00
|
|
|
docSession || makeExceptionalDocSession('share'), docActions, undo, userActions, isDirect
|
2021-04-26 21:54:09 +00:00
|
|
|
);
|
2020-12-07 21:15:58 +00:00
|
|
|
try {
|
|
|
|
// TODO: see if any of the code paths that have no docSession are relevant outside
|
|
|
|
// of tests.
|
2021-03-01 16:51:30 +00:00
|
|
|
await accessControl.canApplyBundle();
|
2020-12-07 21:15:58 +00:00
|
|
|
} catch (e) {
|
|
|
|
// should not commit. Don't write to db. Remove changes from sandbox.
|
2021-04-15 15:50:00 +00:00
|
|
|
try {
|
2021-07-15 00:45:53 +00:00
|
|
|
await this._activeDoc.applyActionsToDataEngine(docSession, [['ApplyUndoActions', undo]]);
|
2021-04-15 15:50:00 +00:00
|
|
|
} finally {
|
|
|
|
await accessControl.finishedBundle();
|
|
|
|
}
|
2020-12-07 21:15:58 +00:00
|
|
|
throw e;
|
|
|
|
}
|
2021-03-01 16:51:30 +00:00
|
|
|
return {sandboxActionBundle, undo, docActions, accessControl};
|
2020-12-07 21:15:58 +00:00
|
|
|
}
|
2020-07-21 13:20:51 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
/**
|
|
|
|
* Returns the index of the envelope containing the '#ALL' recipient, adding such an envelope to
|
|
|
|
* the provided array if it wasn't already there.
|
|
|
|
*/
|
|
|
|
export function findOrAddAllEnvelope(envelopes: Envelope[]): number {
|
|
|
|
const i = envelopes.findIndex(e => e.recipients.includes(allToken));
|
|
|
|
if (i >= 0) { return i; }
|
|
|
|
envelopes.push({recipients: [allToken]});
|
|
|
|
return envelopes.length - 1;
|
|
|
|
}
|
|
|
|
|
|
|
|
/**
|
|
|
|
* Extract a UserActionBundle from a LocalActionBundle, which contains a superset of data.
|
|
|
|
*/
|
|
|
|
function getUserActionBundle(localAction: LocalActionBundle): UserActionBundle {
|
|
|
|
return {
|
|
|
|
info: localAction.info[1],
|
|
|
|
userActions: localAction.userActions
|
|
|
|
};
|
|
|
|
}
|