Files
flipper/desktop/flipper-plugin/src/plugin/Plugin.tsx
Michel Weststrate 9c202a4a10 Introduce menu entry support
Summary:
[interesting] since it shows how Flipper APIs are exposed through sandy. However, the next diff is a much simpler example of that

This diff adds support for adding menu entries for sandy plugin (renamed keyboard actions to menus, as it always creates a menu entry, but not necessarily a keyboard shortcut)

```

  client.addMenuEntry(
    // custom entry
    {
      label: 'Reset Selection',
      topLevelMenu: 'Edit',
      handler: () => {
        selectedID.set(null);
      },
    },
    // based on built-in action (sets standard label, shortcut)
    {
      action: 'createPaste',
      handler: () => {
        console.log('creating paste');
      },
    },
  );
```

Most of this diff is introducing the concept of FlipperUtils, a set of static Flipper methods (not related to a device or client) that can be used from Sandy. This will for example be used to implement things as `createPaste` as well

Reviewed By: nikoant

Differential Revision: D22766990

fbshipit-source-id: ce90af3b700e6c3d9a779a3bab4673ba356f3933
2020-08-04 07:47:14 -07:00

192 lines
5.0 KiB
TypeScript

/**
* Copyright (c) Facebook, Inc. and its affiliates.
*
* This source code is licensed under the MIT license found in the
* LICENSE file in the root directory of this source tree.
*
* @format
*/
import {SandyPluginDefinition} from './SandyPluginDefinition';
import {BasePluginInstance, BasePluginClient} from './PluginBase';
import {FlipperLib} from './FlipperLib';
type EventsContract = Record<string, any>;
type MethodsContract = Record<string, (params: any) => Promise<any>>;
type Message = {
method: string;
params?: any;
};
/**
* API available to a plugin factory
*/
export interface PluginClient<
Events extends EventsContract = {},
Methods extends MethodsContract = {}
> extends BasePluginClient {
/**
* the onConnect event is fired whenever the plugin is connected to it's counter part on the device.
* For most plugins this event is fired if the user selects the plugin,
* for background plugins when the initial connection is made.
*/
onConnect(cb: () => void): void;
/**
* The counterpart of the `onConnect` handler.
* Will also be fired before the plugin is cleaned up if the connection is currently active:
* - when the client disconnects
* - when the plugin is disabled
*/
onDisconnect(cb: () => void): void;
/**
* Send a message to the connected client
*/
send<Method extends keyof Methods>(
method: Method,
params: Parameters<Methods[Method]>[0],
): ReturnType<Methods[Method]>;
/**
* Subscribe to a specific event arriving from the device.
*
* Messages can only arrive if the plugin is enabled and connected.
* For background plugins messages will be batched and arrive the next time the plugin is connected.
*/
onMessage<Event extends keyof Events>(
event: Event,
callback: (params: Events[Event]) => void,
): void;
}
/**
* Internal API exposed by Flipper, and wrapped by FlipperPluginInstance to be passed to the
* Plugin Factory. For internal purposes only
*/
export interface RealFlipperClient {
isBackgroundPlugin(pluginId: string): boolean;
initPlugin(pluginId: string): void;
deinitPlugin(pluginId: string): void;
call(
api: string,
method: string,
fromPlugin: boolean,
params?: Object,
): Promise<Object>;
}
export type PluginFactory<
Events extends EventsContract,
Methods extends MethodsContract
> = (client: PluginClient<Events, Methods>) => object;
export type FlipperPluginComponent = React.FC<{}>;
export class SandyPluginInstance extends BasePluginInstance {
static is(thing: any): thing is SandyPluginInstance {
return thing instanceof SandyPluginInstance;
}
/** base client provided by Flipper */
realClient: RealFlipperClient;
/** client that is bound to this instance */
client: PluginClient<any, any>;
/** connection alive? */
connected = false;
constructor(
flipperLib: FlipperLib,
definition: SandyPluginDefinition,
realClient: RealFlipperClient,
initialStates?: Record<string, any>,
) {
super(flipperLib, definition, initialStates);
this.realClient = realClient;
this.definition = definition;
this.client = {
...this.createBasePluginClient(),
onConnect: (cb) => {
this.events.on('connect', cb);
},
onDisconnect: (cb) => {
this.events.on('disconnect', cb);
},
send: async (method, params) => {
this.assertConnected();
return await realClient.call(
this.definition.id,
method as any,
true,
params as any,
);
},
onMessage: (event, callback) => {
this.events.on('event-' + event, callback);
},
};
this.initializePlugin(() =>
definition.asPluginModule().plugin(this.client),
);
}
// the plugin is selected in the UI
activate() {
super.activate();
const pluginId = this.definition.id;
if (!this.connected && !this.realClient.isBackgroundPlugin(pluginId)) {
this.realClient.initPlugin(pluginId); // will call connect() if needed
}
}
// the plugin is deselected in the UI
deactivate() {
super.deactivate();
const pluginId = this.definition.id;
if (this.connected && !this.realClient.isBackgroundPlugin(pluginId)) {
this.realClient.deinitPlugin(pluginId);
}
}
connect() {
this.assertNotDestroyed();
if (!this.connected) {
this.connected = true;
this.events.emit('connect');
}
}
disconnect() {
this.assertNotDestroyed();
if (this.connected) {
this.connected = false;
this.events.emit('disconnect');
}
}
destroy() {
if (this.connected) {
this.realClient.deinitPlugin(this.definition.id);
}
super.destroy();
}
receiveMessages(messages: Message[]) {
messages.forEach((message) => {
this.events.emit('event-' + message.method, message.params);
});
}
toJSON() {
return '[SandyPluginInstance]';
}
private assertConnected() {
this.assertNotDestroyed();
if (!this.connected) {
throw new Error('Plugin is not connected');
}
}
}