index.ts 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352
  1. /**
  2. * Copyright (c) 2019-2020 mol* contributors, licensed under MIT, See LICENSE file for more info.
  3. *
  4. * @author Alexander Rose <alexander.rose@weirdbyte.de>
  5. * @author Joan Segura <joan.segura@rcsb.org>
  6. * @author Yana Rose <yana.rose@rcsb.org>
  7. * @author Sebastian Bittrich <sebastian.bittrich@rcsb.org>
  8. */
  9. import { BehaviorSubject } from 'rxjs';
  10. import { Plugin } from 'molstar/lib/mol-plugin-ui/plugin';
  11. import { PluginCommands } from 'molstar/lib/mol-plugin/commands';
  12. import { ViewerState, CollapsedState, ModelUrlProvider } from './types';
  13. import { PluginSpec } from 'molstar/lib/mol-plugin/spec';
  14. import { ColorNames } from 'molstar/lib/mol-util/color/names';
  15. import * as React from 'react';
  16. import { ModelLoader } from './helpers/model';
  17. import { PresetProps } from './helpers/preset';
  18. import { ControlsWrapper } from './ui/controls';
  19. import { PluginConfig } from 'molstar/lib/mol-plugin/config';
  20. import { RCSBAssemblySymmetry } from 'molstar/lib/extensions/rcsb/assembly-symmetry/behavior';
  21. import { RCSBValidationReport } from 'molstar/lib/extensions/rcsb/validation-report/behavior';
  22. import { Mat4 } from 'molstar/lib/mol-math/linear-algebra';
  23. import { PluginState } from 'molstar/lib/mol-plugin/state';
  24. import { BuiltInTrajectoryFormat } from 'molstar/lib/mol-plugin-state/formats/trajectory';
  25. import { ObjectKeys } from 'molstar/lib/mol-util/type-helpers';
  26. import { PluginLayoutControlsDisplay } from 'molstar/lib/mol-plugin/layout';
  27. import { SuperposeColorThemeProvider } from './helpers/superpose/color';
  28. import { NakbColorThemeProvider } from './helpers/nakb/color';
  29. import { setFocusFromRange, removeComponent, clearSelection, createComponent, select } from './helpers/viewer';
  30. import { SelectBase, SelectRange, SelectTarget, Target } from './helpers/selection';
  31. import { StructureRepresentationRegistry } from 'molstar/lib/mol-repr/structure/registry';
  32. import { DefaultPluginUISpec, PluginUISpec } from 'molstar/lib/mol-plugin-ui/spec';
  33. import { PluginUIContext } from 'molstar/lib/mol-plugin-ui/context';
  34. import { ANVILMembraneOrientation, MembraneOrientationPreset } from 'molstar/lib/extensions/anvil/behavior';
  35. import { MembraneOrientationRepresentationProvider } from 'molstar/lib/extensions/anvil/representation';
  36. import { PluginContext } from 'molstar/lib/mol-plugin/context';
  37. import { TrajectoryHierarchyPresetProvider } from 'molstar/lib/mol-plugin-state/builder/structure/hierarchy-preset';
  38. import { AnimateStateSnapshots } from 'molstar/lib/mol-plugin-state/animation/built-in/state-snapshots';
  39. import { PluginFeatureDetection } from 'molstar/lib/mol-plugin/features';
  40. import { PresetStructureRepresentations } from 'molstar/lib/mol-plugin-state/builder/structure/representation-preset';
  41. import { MAQualityAssessment } from 'molstar/lib/extensions/model-archive/quality-assessment/behavior';
  42. import { ModelExport } from 'molstar/lib/extensions/model-export';
  43. import { exportHierarchy } from 'molstar/lib/extensions/model-export/export';
  44. import { GeometryExport } from 'molstar/lib/extensions/geo-export';
  45. import { Mp4Export } from 'molstar/lib/extensions/mp4-export';
  46. import { PartialCanvas3DProps } from 'molstar/lib/mol-canvas3d/canvas3d';
  47. import { RSCCScore } from './helpers/rscc/behavior';
  48. import { createRoot } from 'react-dom/client';
  49. import { AssemblySymmetry } from 'molstar/lib/extensions/rcsb/assembly-symmetry/prop';
  50. /** package version, filled in at bundle build time */
  51. declare const __RCSB_MOLSTAR_VERSION__: string;
  52. export const RCSB_MOLSTAR_VERSION = typeof __RCSB_MOLSTAR_VERSION__ != 'undefined' ? __RCSB_MOLSTAR_VERSION__ : 'none';
  53. /** unix time stamp, to be filled in at bundle build time */
  54. declare const __BUILD_TIMESTAMP__: number;
  55. export const BUILD_TIMESTAMP = typeof __BUILD_TIMESTAMP__ != 'undefined' ? __BUILD_TIMESTAMP__ : 'none';
  56. export const BUILD_DATE = new Date(BUILD_TIMESTAMP);
  57. const Extensions = {
  58. 'rcsb-assembly-symmetry': PluginSpec.Behavior(RCSBAssemblySymmetry),
  59. 'rcsb-validation-report': PluginSpec.Behavior(RCSBValidationReport),
  60. 'rscc': PluginSpec.Behavior(RSCCScore),
  61. 'anvil-membrane-orientation': PluginSpec.Behavior(ANVILMembraneOrientation),
  62. 'ma-quality-assessment': PluginSpec.Behavior(MAQualityAssessment),
  63. 'model-export': PluginSpec.Behavior(ModelExport),
  64. 'mp4-export': PluginSpec.Behavior(Mp4Export),
  65. 'geo-export': PluginSpec.Behavior(GeometryExport),
  66. };
  67. const DefaultViewerProps = {
  68. showImportControls: false,
  69. showSessionControls: false,
  70. showStructureSourceControls: true,
  71. showMeasurementsControls: true,
  72. showStrucmotifSubmitControls: true,
  73. showSuperpositionControls: true,
  74. showQuickStylesControls: false,
  75. showStructureComponentControls: true,
  76. showVolumeStreamingControls: true,
  77. showAssemblySymmetryControls: true,
  78. showValidationReportControls: true,
  79. showMembraneOrientationPreset: false,
  80. showNakbColorTheme: false,
  81. /**
  82. * Needed when running outside of sierra. If set to true, the strucmotif UI will use an absolute URL to sierra-prod.
  83. * Otherwise, the link will be relative on the current host.
  84. */
  85. detachedFromSierra: false,
  86. modelUrlProviders: [
  87. (pdbId: string) => ({
  88. url: `https://models.rcsb.org/${pdbId.toLowerCase()}.bcif`,
  89. format: 'mmcif',
  90. isBinary: true
  91. }),
  92. (pdbId: string) => ({
  93. url: `https://files.rcsb.org/download/${pdbId.toLowerCase()}.cif`,
  94. format: 'mmcif',
  95. isBinary: false
  96. })
  97. ] as ModelUrlProvider[],
  98. extensions: ObjectKeys(Extensions),
  99. layoutIsExpanded: false,
  100. layoutShowControls: true,
  101. layoutControlsDisplay: 'reactive' as PluginLayoutControlsDisplay,
  102. layoutShowSequence: true,
  103. layoutShowLog: false,
  104. viewportShowExpand: true,
  105. viewportShowSelectionMode: true,
  106. volumeStreamingServer: 'https://maps.rcsb.org/',
  107. backgroundColor: ColorNames.white,
  108. manualReset: false, // switch to 'true' for 'motif' preset
  109. pickingAlphaThreshold: 0.5, // lower to 0.2 to accommodate 'motif' preset
  110. showWelcomeToast: true
  111. };
  112. export type ViewerProps = typeof DefaultViewerProps & { canvas3d: PartialCanvas3DProps }
  113. export class Viewer {
  114. private readonly _plugin: PluginUIContext;
  115. private readonly modelUrlProviders: ModelUrlProvider[];
  116. private prevExpanded: boolean;
  117. constructor(elementOrId: string | HTMLElement, props: Partial<ViewerProps> = {}) {
  118. const element = typeof elementOrId === 'string' ? document.getElementById(elementOrId)! : elementOrId;
  119. if (!element) throw new Error(`Could not get element with id '${elementOrId}'`);
  120. const o = { ...DefaultViewerProps, ...props };
  121. const defaultSpec = DefaultPluginUISpec();
  122. const spec: PluginUISpec = {
  123. ...defaultSpec,
  124. actions: defaultSpec.actions,
  125. behaviors: [
  126. ...defaultSpec.behaviors,
  127. ...o.extensions.map(e => Extensions[e]),
  128. ],
  129. animations: [...defaultSpec.animations?.filter(a => a.name !== AnimateStateSnapshots.name) || []],
  130. layout: {
  131. initial: {
  132. isExpanded: o.layoutIsExpanded,
  133. showControls: o.layoutShowControls,
  134. controlsDisplay: o.layoutControlsDisplay,
  135. },
  136. },
  137. canvas3d: {
  138. ...defaultSpec.canvas3d,
  139. ...o.canvas3d,
  140. renderer: {
  141. ...defaultSpec.canvas3d?.renderer,
  142. ...o.canvas3d?.renderer,
  143. backgroundColor: o.backgroundColor,
  144. pickingAlphaThreshold: o.pickingAlphaThreshold
  145. },
  146. camera: {
  147. // desirable for alignment view so that the display doesn't "jump around" as more structures get loaded
  148. manualReset: o.manualReset
  149. }
  150. },
  151. components: {
  152. ...defaultSpec.components,
  153. controls: {
  154. ...defaultSpec.components?.controls,
  155. top: o.layoutShowSequence ? undefined : 'none',
  156. bottom: o.layoutShowLog ? undefined : 'none',
  157. left: 'none',
  158. right: ControlsWrapper,
  159. },
  160. remoteState: 'none',
  161. },
  162. config: [
  163. [PluginConfig.Viewport.ShowExpand, o.viewportShowExpand],
  164. [PluginConfig.Viewport.ShowSelectionMode, o.viewportShowSelectionMode],
  165. [PluginConfig.Viewport.ShowAnimation, false],
  166. [PluginConfig.VolumeStreaming.DefaultServer, o.volumeStreamingServer],
  167. [PluginConfig.Download.DefaultPdbProvider, 'rcsb'],
  168. [PluginConfig.Download.DefaultEmdbProvider, 'rcsb'],
  169. [PluginConfig.Structure.DefaultRepresentationPreset, PresetStructureRepresentations.auto.id],
  170. // wboit & webgl1 checks are needed to work properly on recent Safari versions
  171. [PluginConfig.General.EnableWboit, PluginFeatureDetection.preferWebGl1],
  172. [PluginConfig.General.PreferWebGl1, PluginFeatureDetection.preferWebGl1]
  173. ]
  174. };
  175. this._plugin = new PluginUIContext(spec);
  176. this.modelUrlProviders = o.modelUrlProviders;
  177. (this._plugin.customState as ViewerState) = {
  178. showImportControls: o.showImportControls,
  179. showSessionControls: o.showSessionControls,
  180. showStructureSourceControls: o.showStructureSourceControls,
  181. showMeasurementsControls: o.showMeasurementsControls,
  182. showStrucmotifSubmitControls: o.showStrucmotifSubmitControls,
  183. showSuperpositionControls: o.showSuperpositionControls,
  184. showQuickStylesControls: o.showQuickStylesControls,
  185. showStructureComponentControls: o.showStructureComponentControls,
  186. showVolumeStreamingControls: o.showVolumeStreamingControls,
  187. showAssemblySymmetryControls: o.showAssemblySymmetryControls,
  188. showValidationReportControls: o.showValidationReportControls,
  189. modelLoader: new ModelLoader(this._plugin),
  190. collapsed: new BehaviorSubject<CollapsedState>({
  191. selection: true,
  192. measurements: true,
  193. strucmotifSubmit: true,
  194. superposition: true,
  195. quickStyles: false,
  196. component: false,
  197. volume: true,
  198. assemblySymmetry: true,
  199. validationReport: true,
  200. custom: true,
  201. }),
  202. detachedFromSierra: o.detachedFromSierra
  203. };
  204. this._plugin.init()
  205. .then(async () => {
  206. // hide 'Membrane Orientation' preset from UI - has to happen 'before' react render, apparently
  207. // the corresponding behavior must be registered either way, because the 3d-view uses it (even without appearing in the UI)
  208. if (!o.showMembraneOrientationPreset) {
  209. this._plugin.builders.structure.representation.unregisterPreset(MembraneOrientationPreset);
  210. this._plugin.representation.structure.registry.remove(MembraneOrientationRepresentationProvider);
  211. }
  212. // normally, this would be part of CustomStructureControls -- we want to manage its collapsed state individually though
  213. this._plugin.customStructureControls.delete(AssemblySymmetry.Tag.Representation);
  214. const root = createRoot(element);
  215. root.render(React.createElement(Plugin, { plugin: this._plugin }));
  216. this._plugin.representation.structure.themes.colorThemeRegistry.add(SuperposeColorThemeProvider);
  217. if (o.showNakbColorTheme) this._plugin.representation.structure.themes.colorThemeRegistry.add(NakbColorThemeProvider);
  218. if (o.showWelcomeToast) {
  219. await PluginCommands.Toast.Show(this._plugin, {
  220. title: 'Welcome',
  221. message: `RCSB PDB Mol* Viewer ${RCSB_MOLSTAR_VERSION} [${BUILD_DATE.toLocaleString()}]`,
  222. key: 'toast-welcome',
  223. timeoutMs: 5000
  224. });
  225. }
  226. this.prevExpanded = this._plugin.layout.state.isExpanded;
  227. this._plugin.layout.events.updated.subscribe(() => this.toggleControls());
  228. });
  229. }
  230. get plugin() {
  231. return this._plugin;
  232. }
  233. pluginCall(f: (plugin: PluginContext) => void) {
  234. f(this.plugin);
  235. }
  236. private get customState() {
  237. return this._plugin.customState as ViewerState;
  238. }
  239. private toggleControls(): void {
  240. const currExpanded = this._plugin.layout.state.isExpanded;
  241. const expandedChanged = (this.prevExpanded !== currExpanded);
  242. if (!expandedChanged) return;
  243. if (currExpanded && !this._plugin.layout.state.showControls) {
  244. this._plugin.layout.setProps({ showControls: true });
  245. } else if (!currExpanded && this._plugin.layout.state.showControls) {
  246. this._plugin.layout.setProps({ showControls: false });
  247. }
  248. this.prevExpanded = this._plugin.layout.state.isExpanded;
  249. }
  250. resetCamera(durationMs?: number) {
  251. this._plugin.managers.camera.reset(undefined, durationMs);
  252. }
  253. clear() {
  254. const state = this._plugin.state.data;
  255. return PluginCommands.State.RemoveObject(this._plugin, { state, ref: state.tree.root.ref });
  256. }
  257. async loadPdbId<P, S>(pdbId: string, config?: { props?: PresetProps; matrix?: Mat4; reprProvider?: TrajectoryHierarchyPresetProvider<P, S>, params?: P }) {
  258. for (const provider of this.modelUrlProviders) {
  259. try {
  260. const p = provider(pdbId);
  261. return await this.customState.modelLoader.load<P, S>({ fileOrUrl: p.url, format: p.format, isBinary: p.isBinary }, config?.props, config?.matrix, config?.reprProvider, config?.params);
  262. } catch (e) {
  263. console.warn(`loading '${pdbId}' failed with '${e}', trying next model-loader-provider`);
  264. }
  265. }
  266. }
  267. async loadPdbIds<P, S>(args: { pdbId: string, config?: {props?: PresetProps; matrix?: Mat4; reprProvider?: TrajectoryHierarchyPresetProvider<P, S>, params?: P} }[]) {
  268. const out = [];
  269. for (const { pdbId, config } of args) {
  270. out.push(await this.loadPdbId(pdbId, config));
  271. }
  272. if (!this.plugin.spec.canvas3d?.camera?.manualReset) this.resetCamera(0);
  273. return out;
  274. }
  275. loadStructureFromUrl<P, S>(url: string, format: BuiltInTrajectoryFormat, isBinary: boolean, config?: {props?: PresetProps & { dataLabel?: string }; matrix?: Mat4; reprProvider?: TrajectoryHierarchyPresetProvider<P, S>, params?: P}) {
  276. return this.customState.modelLoader.load({ fileOrUrl: url, format, isBinary }, config?.props, config?.matrix, config?.reprProvider, config?.params);
  277. }
  278. loadSnapshotFromUrl(url: string, type: PluginState.SnapshotType) {
  279. return PluginCommands.State.Snapshots.OpenUrl(this._plugin, { url, type });
  280. }
  281. loadStructureFromData<P, S>(data: string | number[], format: BuiltInTrajectoryFormat, isBinary: boolean, config?: {props?: PresetProps & { dataLabel?: string }; matrix?: Mat4; reprProvider?: TrajectoryHierarchyPresetProvider<P, S>, params?: P}) {
  282. return this.customState.modelLoader.parse({ data, format, isBinary }, config?.props, config?.matrix, config?.reprProvider, config?.params);
  283. }
  284. handleResize() {
  285. this._plugin.layout.events.updated.next(void 0);
  286. }
  287. exportLoadedStructures(options?: { format?: 'cif' | 'bcif' }) {
  288. return exportHierarchy(this.plugin, options);
  289. }
  290. setFocus(target: SelectRange) {
  291. setFocusFromRange(this._plugin, target);
  292. }
  293. clearFocus(): void {
  294. this._plugin.managers.structure.focus.clear();
  295. }
  296. select(targets: SelectTarget | SelectTarget[], mode: 'select' | 'hover', modifier: 'add' | 'set') {
  297. select(this._plugin, targets, mode, modifier);
  298. }
  299. clearSelection(mode: 'select' | 'hover', target?: { modelId: string; } & Target) {
  300. clearSelection(this._plugin, mode, target);
  301. }
  302. async createComponent(label: string, targets: SelectBase | SelectTarget | SelectTarget[], representationType: StructureRepresentationRegistry.BuiltIn) {
  303. await createComponent(this._plugin, label, targets, representationType);
  304. }
  305. async removeComponent(componentLabel: string) {
  306. await removeComponent(this._plugin, componentLabel);
  307. }
  308. }