strucmotif.tsx 11 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294
  1. /**
  2. * Copyright (c) 2020 mol* contributors, licensed under MIT, See LICENSE file for more info.
  3. *
  4. * @author Sebastian Bittrich <sebastian.bittrich@rcsb.org>
  5. */
  6. import { CollapsableControls, PurePluginUIComponent } from 'molstar/lib/mol-plugin-ui/base';
  7. import { Button, IconButton, ToggleButton } from 'molstar/lib/mol-plugin-ui/controls/common';
  8. import {
  9. ArrowDownwardSvg,
  10. ArrowUpwardSvg,
  11. DeleteOutlinedSvg,
  12. HelpOutlineSvg,
  13. Icon,
  14. TuneSvg
  15. } from 'molstar/lib/mol-plugin-ui/controls/icons';
  16. import { ActionMenu } from 'molstar/lib/mol-plugin-ui/controls/action-menu';
  17. import { StructureSelectionHistoryEntry } from 'molstar/lib/mol-plugin-state/manager/structure/selection';
  18. import { StructureElement, StructureProperties } from 'molstar/lib/mol-model/structure/structure';
  19. import { ToggleSelectionModeButton } from 'molstar/lib/mol-plugin-ui/structure/selection';
  20. import { OrderedSet } from 'molstar/lib/mol-data/int';
  21. import { DefaultExchanges, ExchangesControl } from './strucmotif/exchanges';
  22. import { Unit } from 'molstar/lib/mol-model/structure/structure/unit';
  23. import { ViewerState } from '../types';
  24. import { MAX_EXCHANGES, MAX_MOTIF_SIZE, MIN_MOTIF_SIZE, validate } from './strucmotif/validation';
  25. import {
  26. createCtx,
  27. detectDataSource,
  28. ExchangeState,
  29. extractResidues,
  30. ResidueSelection,
  31. uploadStructure
  32. } from './strucmotif/helpers';
  33. const ABSOLUTE_ADVANCED_SEARCH_URL = 'https://rcsb.org/search?query=';
  34. const RELATIVE_ADVANCED_SEARCH_URL = '/search?query=';
  35. const RETURN_TYPE = '&return_type=assembly';
  36. /**
  37. * The top-level component that exposes the strucmotif search.
  38. */
  39. export class StrucmotifSubmitControls extends CollapsableControls {
  40. protected defaultState() {
  41. return {
  42. header: 'Structure Motif Search',
  43. isCollapsed: false,
  44. brand: { accent: 'gray' as const, svg: SearchIconSvg }
  45. };
  46. }
  47. renderControls() {
  48. return <>
  49. <SubmitControls />
  50. </>;
  51. }
  52. }
  53. const _SearchIcon = <svg width='24px' height='24px' viewBox='0 0 12 12'>
  54. <g strokeWidth='1.5' fill='none'>
  55. <path d='M11.29 11.71l-4-4' />
  56. <circle cx='5' cy='5' r='4' />
  57. </g>
  58. </svg>;
  59. export function SearchIconSvg() { return _SearchIcon; }
  60. /**
  61. * The inner component of strucmotif search that can be collapsed.
  62. */
  63. class SubmitControls extends PurePluginUIComponent<{}, { isBusy: boolean, residueMap: Map<StructureSelectionHistoryEntry, Residue>, action?: ExchangeState }> {
  64. state = {
  65. isBusy: false,
  66. // map between selection entries of Mol* and additional exchange state
  67. residueMap: new Map<StructureSelectionHistoryEntry, Residue>(),
  68. action: void 0 as ExchangeState | undefined
  69. };
  70. componentDidMount() {
  71. this.subscribe(this.selection.events.additionsHistoryUpdated, () => {
  72. // invalidate potentially expanded exchange panel
  73. this.setState({ action: void 0 });
  74. this.forceUpdate();
  75. });
  76. this.subscribe(this.plugin.behaviors.state.isBusy, v => {
  77. this.setState({ isBusy: v });
  78. });
  79. }
  80. get selection() {
  81. return this.plugin.managers.structure.selection;
  82. }
  83. submitSearch = async () => {
  84. const loci = this.plugin.managers.structure.selection.additionsHistory;
  85. if (loci.length < MIN_MOTIF_SIZE) return;
  86. const ctx = createCtx(this.plugin, loci[0].loci.structure, this.state.residueMap);
  87. extractResidues(ctx, loci);
  88. if (!validate(ctx)) return;
  89. const query = {
  90. type: 'terminal',
  91. service: 'strucmotif',
  92. parameters: {
  93. value: {
  94. residue_ids: ctx.residueIds.sort((a, b) => this.sortResidueIds(a, b))
  95. },
  96. rmsd_cutoff: 2,
  97. atom_pairing_scheme: 'ALL'
  98. }
  99. };
  100. detectDataSource(ctx);
  101. const { dataSource, entryId, format, url } = ctx;
  102. if (!dataSource || !format) return;
  103. switch (dataSource) {
  104. case 'identifier':
  105. Object.assign(query.parameters.value, { entry_id: entryId });
  106. break;
  107. case 'url':
  108. if (format === 'pdb') {
  109. const uploadUrl = await uploadStructure(ctx);
  110. if (!uploadUrl) {
  111. alert('File upload failed!');
  112. return;
  113. }
  114. Object.assign(query.parameters.value, { url: uploadUrl, format: 'bcif' });
  115. } else {
  116. Object.assign(query.parameters.value, { url, format });
  117. }
  118. break;
  119. case 'file':
  120. const uploadUrl = await uploadStructure(ctx);
  121. alert('Motifs can only be extracted from a single model!');
  122. if (!uploadUrl) {
  123. alert('File upload failed!');
  124. return;
  125. }
  126. Object.assign(query.parameters.value, { url: uploadUrl, format: 'bcif' });
  127. break;
  128. }
  129. if (ctx.exchanges.length) Object.assign(query.parameters, { exchanges: ctx.exchanges });
  130. // console.log(query);
  131. const sierraUrl = (this.plugin.customState as ViewerState).detachedFromSierra ? ABSOLUTE_ADVANCED_SEARCH_URL : RELATIVE_ADVANCED_SEARCH_URL;
  132. const queryUrl = sierraUrl + encodeURIComponent(JSON.stringify(query)) + RETURN_TYPE;
  133. // console.log(queryUrl);
  134. window.open(queryUrl, '_blank');
  135. };
  136. sortResidueIds(a: ResidueSelection, b: ResidueSelection): number {
  137. if (a.label_asym_id !== b.label_asym_id) {
  138. return a.label_asym_id.localeCompare(b.label_asym_id);
  139. } else if (a.struct_oper_id !== b.struct_oper_id) {
  140. return a.struct_oper_id.localeCompare(b.struct_oper_id);
  141. } else {
  142. return a.label_seq_id < b.label_seq_id ? -1 : a.label_seq_id > b.label_seq_id ? 1 : 0;
  143. }
  144. }
  145. get actions(): ActionMenu.Items {
  146. const history = this.selection.additionsHistory;
  147. return [
  148. {
  149. kind: 'item',
  150. label: `Submit Search ${history.length < MIN_MOTIF_SIZE ? ' (' + MIN_MOTIF_SIZE + ' selections required)' : ''}`,
  151. value: this.submitSearch,
  152. disabled: history.length < MIN_MOTIF_SIZE
  153. },
  154. ];
  155. }
  156. selectAction: ActionMenu.OnSelect = item => {
  157. if (!item) return;
  158. (item?.value as any)();
  159. };
  160. toggleExchanges = (idx: number) => this.setState({ action: (this.state.action === idx ? void 0 : idx) as ExchangeState });
  161. highlight(loci: StructureElement.Loci) {
  162. this.plugin.managers.interactivity.lociHighlights.highlightOnly({ loci }, false);
  163. }
  164. moveHistory(e: Residue, direction: 'up' | 'down') {
  165. this.setState({ action: void 0 });
  166. this.plugin.managers.structure.selection.modifyHistory(e.entry, direction, MAX_MOTIF_SIZE);
  167. this.updateResidues();
  168. }
  169. modifyHistory(e: Residue, a: 'remove') {
  170. this.setState({ action: void 0 });
  171. this.plugin.managers.structure.selection.modifyHistory(e.entry, a);
  172. this.updateResidues();
  173. }
  174. updateResidues() {
  175. const newResidueMap = new Map<StructureSelectionHistoryEntry, Residue>();
  176. this.selection.additionsHistory.forEach(entry => {
  177. newResidueMap.set(entry, this.state.residueMap.get(entry)!);
  178. });
  179. this.setState({ residueMap: newResidueMap });
  180. }
  181. focusLoci(loci: StructureElement.Loci) {
  182. this.plugin.managers.camera.focusLoci(loci);
  183. }
  184. historyEntry(e: Residue, idx: number) {
  185. const history = this.plugin.managers.structure.selection.additionsHistory;
  186. return <div key={e.entry.id}>
  187. <div className='msp-flex-row'>
  188. <Button noOverflow title='Click to focus. Hover to highlight.' onClick={() => this.focusLoci(e.entry.loci)} style={{ width: 'auto', textAlign: 'left' }} onMouseEnter={() => this.highlight(e.entry.loci)} onMouseLeave={() => this.plugin.managers.interactivity.lociHighlights.clearHighlights()}>
  189. {idx}. <span dangerouslySetInnerHTML={{ __html: e.entry.label }} />
  190. </Button>
  191. <ToggleButton icon={TuneSvg} className='msp-form-control' title='Define exchanges' toggle={() => this.toggleExchanges(idx)} isSelected={this.state.action === idx} disabled={this.state.isBusy} style={{ flex: '0 0 40px', padding: 0 }} />
  192. {history.length > 1 && <IconButton svg={ArrowUpwardSvg} small={true} className='msp-form-control' onClick={() => this.moveHistory(e, 'up')} flex='20px' title={'Move up'} />}
  193. {history.length > 1 && <IconButton svg={ArrowDownwardSvg} small={true} className='msp-form-control' onClick={() => this.moveHistory(e, 'down')} flex='20px' title={'Move down'} />}
  194. <IconButton svg={DeleteOutlinedSvg} small={true} className='msp-form-control' onClick={() => this.modifyHistory(e, 'remove')} flex title={'Remove'} />
  195. </div>
  196. { this.state.action === idx && <ExchangesControl handler={e} /> }
  197. </div>;
  198. }
  199. add() {
  200. const history = this.plugin.managers.structure.selection.additionsHistory;
  201. const entries: JSX.Element[] = [];
  202. for (let i = 0, _i = Math.min(history.length, 10); i < _i; i++) {
  203. let residue: Residue;
  204. if (this.state.residueMap.has(history[i])) {
  205. residue = this.state.residueMap.get(history[i])!;
  206. } else {
  207. residue = new Residue(history[i], this);
  208. this.state.residueMap.set(history[i], residue);
  209. }
  210. entries.push(this.historyEntry(residue, i + 1));
  211. }
  212. return <>
  213. <ActionMenu items={this.actions} onSelect={this.selectAction} />
  214. {entries.length > 0 && <div className='msp-control-offset'>
  215. {entries}
  216. </div>}
  217. {entries.length === 0 && <div className='msp-control-offset msp-help-text'>
  218. <div className='msp-help-description'><Icon svg={HelpOutlineSvg} inline />Add one or more selections (toggle <ToggleSelectionModeButton inline /> mode)</div>
  219. </div>}
  220. </>;
  221. }
  222. render() {
  223. return <>
  224. {this.add()}
  225. </>;
  226. }
  227. }
  228. const location = StructureElement.Location.create(void 0);
  229. export class Residue {
  230. readonly exchanges: Set<string>;
  231. constructor(readonly entry: StructureSelectionHistoryEntry, readonly parent: SubmitControls) {
  232. this.exchanges = new Set<string>();
  233. // by default: explicitly 'activate' original residue type
  234. const structure = entry.loci.structure;
  235. const e = entry.loci.elements[0];
  236. StructureElement.Location.set(location, structure, e.unit, e.unit.elements[OrderedSet.getAt(e.indices, 0)]);
  237. if (!Unit.isAtomic(location.unit)) return;
  238. const comp = StructureProperties.atom.label_comp_id(location);
  239. if (DefaultExchanges.has(comp)) {
  240. this.exchanges.add(comp);
  241. return;
  242. }
  243. }
  244. toggleExchange(val: string): void {
  245. if (this.hasExchange(val)) {
  246. this.exchanges.delete(val);
  247. } else {
  248. if (this.exchanges.size < MAX_EXCHANGES) {
  249. this.exchanges.add(val);
  250. } else {
  251. alert(`Maximum number of exchanges per position is ${MAX_EXCHANGES}`);
  252. }
  253. }
  254. // this will update state of parent component
  255. this.parent.forceUpdate();
  256. }
  257. hasExchange(val: string): boolean {
  258. return this.exchanges.has(val);
  259. }
  260. }