-
Notifications
You must be signed in to change notification settings - Fork 6
/
Copy pathresolve_mcp_server.py
executable file
·4643 lines (3762 loc) · 165 KB
/
resolve_mcp_server.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/env python3
"""
DaVinci Resolve MCP Server
A server that connects to DaVinci Resolve via the Model Context Protocol (MCP)
Version: 1.3.8 - Improved Cursor Integration, Entry Point Standardization
"""
import os
import sys
import logging
from typing import List, Dict, Any, Optional, Union
# Add src directory to Python path
current_dir = os.path.dirname(os.path.abspath(__file__))
src_dir = os.path.join(current_dir, 'src')
if src_dir not in sys.path:
sys.path.insert(0, src_dir)
# Import platform utilities
from src.utils.platform import setup_environment, get_platform, get_resolve_paths
# Setup platform-specific paths and environment variables
paths = get_resolve_paths()
RESOLVE_API_PATH = paths["api_path"]
RESOLVE_LIB_PATH = paths["lib_path"]
RESOLVE_MODULES_PATH = paths["modules_path"]
os.environ["RESOLVE_SCRIPT_API"] = RESOLVE_API_PATH
os.environ["RESOLVE_SCRIPT_LIB"] = RESOLVE_LIB_PATH
# Add the module path to Python's path if it's not already there
if RESOLVE_MODULES_PATH not in sys.path:
sys.path.append(RESOLVE_MODULES_PATH)
# Import MCP
from mcp.server.fastmcp import FastMCP
# Import our utility functions
from src.utils.platform import setup_environment, get_platform, get_resolve_paths
from src.utils.object_inspection import (
inspect_object,
get_object_methods,
get_object_properties,
print_object_help,
convert_lua_to_python
)
from src.utils.layout_presets import (
list_layout_presets,
save_layout_preset,
load_layout_preset,
export_layout_preset,
import_layout_preset,
delete_layout_preset
)
from src.utils.app_control import (
quit_resolve_app,
get_app_state,
restart_resolve_app,
open_project_settings,
open_preferences
)
from src.utils.cloud_operations import (
create_cloud_project,
import_cloud_project,
restore_cloud_project,
get_cloud_project_list,
export_project_to_cloud,
add_user_to_cloud_project,
remove_user_from_cloud_project
)
from src.utils.project_properties import (
get_all_project_properties,
get_project_property,
set_project_property,
get_timeline_format_settings,
set_timeline_format,
get_superscale_settings,
set_superscale_settings,
get_color_settings,
set_color_science_mode,
set_color_space,
get_project_metadata,
get_project_info
)
# Configure logging
logging.basicConfig(
level=logging.INFO,
format="%(asctime)s - %(name)s - %(levelname)s - %(message)s",
handlers=[logging.StreamHandler()]
)
logger = logging.getLogger("davinci-resolve-mcp")
# Log server version and platform
VERSION = "1.3.8"
logger.info(f"Starting DaVinci Resolve MCP Server v{VERSION}")
logger.info(f"Detected platform: {get_platform()}")
logger.info(f"Using Resolve API path: {RESOLVE_API_PATH}")
logger.info(f"Using Resolve library path: {RESOLVE_LIB_PATH}")
# Create MCP server instance
mcp = FastMCP("DaVinciResolveMCP")
# Initialize connection to DaVinci Resolve
try:
# Direct import from the Modules directory
sys.path.insert(0, RESOLVE_MODULES_PATH)
import DaVinciResolveScript as dvr_script
resolve = dvr_script.scriptapp("Resolve")
if resolve:
logger.info(f"Connected to DaVinci Resolve: {resolve.GetProductName()} {resolve.GetVersionString()}")
else:
logger.error("Failed to get Resolve object. Is DaVinci Resolve running?")
except ImportError as e:
logger.error(f"Failed to import DaVinciResolveScript: {str(e)}")
logger.error("Check that DaVinci Resolve is installed and running.")
logger.error(f"RESOLVE_SCRIPT_API: {RESOLVE_API_PATH}")
logger.error(f"RESOLVE_SCRIPT_LIB: {RESOLVE_LIB_PATH}")
logger.error(f"RESOLVE_MODULES_PATH: {RESOLVE_MODULES_PATH}")
logger.error(f"sys.path: {sys.path}")
resolve = None
except Exception as e:
logger.error(f"Unexpected error initializing Resolve: {str(e)}")
resolve = None
# ------------------
# MCP Tools/Resources
# ------------------
@mcp.resource("resolve://version")
def get_resolve_version() -> str:
"""Get DaVinci Resolve version information."""
if resolve is None:
return "Error: Not connected to DaVinci Resolve"
return f"{resolve.GetProductName()} {resolve.GetVersionString()}"
@mcp.resource("resolve://current-page")
def get_current_page() -> str:
"""Get the current page open in DaVinci Resolve (Edit, Color, Fusion, etc.)."""
if resolve is None:
return "Error: Not connected to DaVinci Resolve"
return resolve.GetCurrentPage()
@mcp.tool()
def switch_page(page: str) -> str:
"""Switch to a specific page in DaVinci Resolve.
Args:
page: The page to switch to. Options: 'media', 'cut', 'edit', 'fusion', 'color', 'fairlight', 'deliver'
"""
if resolve is None:
return "Error: Not connected to DaVinci Resolve"
valid_pages = ['media', 'cut', 'edit', 'fusion', 'color', 'fairlight', 'deliver']
page = page.lower()
if page not in valid_pages:
return f"Error: Invalid page name. Must be one of: {', '.join(valid_pages)}"
result = resolve.OpenPage(page)
if result:
return f"Successfully switched to {page} page"
else:
return f"Failed to switch to {page} page"
# ------------------
# Project Management
# ------------------
@mcp.resource("resolve://projects")
def list_projects() -> List[str]:
"""List all available projects in the current database."""
if resolve is None:
return ["Error: Not connected to DaVinci Resolve"]
project_manager = resolve.GetProjectManager()
if not project_manager:
return ["Error: Failed to get Project Manager"]
projects = project_manager.GetProjectListInCurrentFolder()
# Filter out any empty strings that might be in the list
return [p for p in projects if p]
@mcp.resource("resolve://current-project")
def get_current_project_name() -> str:
"""Get the name of the currently open project."""
if resolve is None:
return "Error: Not connected to DaVinci Resolve"
project_manager = resolve.GetProjectManager()
if not project_manager:
return "Error: Failed to get Project Manager"
current_project = project_manager.GetCurrentProject()
if not current_project:
return "No project currently open"
return current_project.GetName()
@mcp.resource("resolve://project-settings")
def get_project_settings() -> Dict[str, Any]:
"""Get all project settings from the current project."""
if resolve is None:
return {"error": "Not connected to DaVinci Resolve"}
project_manager = resolve.GetProjectManager()
if not project_manager:
return {"error": "Failed to get Project Manager"}
current_project = project_manager.GetCurrentProject()
if not current_project:
return {"error": "No project currently open"}
try:
# Get all settings
return current_project.GetSetting('')
except Exception as e:
return {"error": f"Failed to get project settings: {str(e)}"}
@mcp.resource("resolve://project-setting/{setting_name}")
def get_project_setting(setting_name: str) -> Dict[str, Any]:
"""Get a specific project setting by name.
Args:
setting_name: The specific setting to retrieve.
"""
if resolve is None:
return {"error": "Not connected to DaVinci Resolve"}
project_manager = resolve.GetProjectManager()
if not project_manager:
return {"error": "Failed to get Project Manager"}
current_project = project_manager.GetCurrentProject()
if not current_project:
return {"error": "No project currently open"}
try:
# Get specific setting
value = current_project.GetSetting(setting_name)
return {setting_name: value}
except Exception as e:
return {"error": f"Failed to get project setting '{setting_name}': {str(e)}"}
@mcp.tool()
def set_project_setting(setting_name: str, setting_value: Any) -> str:
"""Set a project setting to the specified value.
Args:
setting_name: The name of the setting to change
setting_value: The new value for the setting (can be string, integer, float, or boolean)
"""
if resolve is None:
return "Error: Not connected to DaVinci Resolve"
project_manager = resolve.GetProjectManager()
if not project_manager:
return "Error: Failed to get Project Manager"
current_project = project_manager.GetCurrentProject()
if not current_project:
return "Error: No project currently open"
try:
# Convert setting_value to string if it's not already
if not isinstance(setting_value, str):
setting_value = str(setting_value)
# Try to determine if this should be a numeric value
# DaVinci Resolve sometimes expects numeric values for certain settings
try:
# Check if it's a number in string form
if setting_value.isdigit() or (setting_value.startswith('-') and setting_value[1:].isdigit()):
# It's an integer
numeric_value = int(setting_value)
# Try with numeric value first
if current_project.SetSetting(setting_name, numeric_value):
return f"Successfully set project setting '{setting_name}' to numeric value {numeric_value}"
elif '.' in setting_value and setting_value.replace('.', '', 1).replace('-', '', 1).isdigit():
# It's a float
numeric_value = float(setting_value)
# Try with float value
if current_project.SetSetting(setting_name, numeric_value):
return f"Successfully set project setting '{setting_name}' to numeric value {numeric_value}"
except (ValueError, TypeError):
# Not a number or conversion failed, continue with string value
pass
# Fall back to string value if numeric didn't work or wasn't applicable
result = current_project.SetSetting(setting_name, setting_value)
if result:
return f"Successfully set project setting '{setting_name}' to '{setting_value}'"
else:
return f"Failed to set project setting '{setting_name}'"
except Exception as e:
return f"Error setting project setting: {str(e)}"
@mcp.tool()
def open_project(name: str) -> str:
"""Open a project by name.
Args:
name: The name of the project to open
"""
if resolve is None:
return "Error: Not connected to DaVinci Resolve"
if not name:
return "Error: Project name cannot be empty"
project_manager = resolve.GetProjectManager()
if not project_manager:
return "Error: Failed to get Project Manager"
# Check if project exists
projects = project_manager.GetProjectListInCurrentFolder()
if name not in projects:
return f"Error: Project '{name}' not found. Available projects: {', '.join(projects)}"
result = project_manager.LoadProject(name)
if result:
return f"Successfully opened project '{name}'"
else:
return f"Failed to open project '{name}'"
@mcp.tool()
def create_project(name: str) -> str:
"""Create a new project with the given name.
Args:
name: The name for the new project
"""
if resolve is None:
return "Error: Not connected to DaVinci Resolve"
if not name:
return "Error: Project name cannot be empty"
project_manager = resolve.GetProjectManager()
if not project_manager:
return "Error: Failed to get Project Manager"
# Check if project already exists
projects = project_manager.GetProjectListInCurrentFolder()
if name in projects:
return f"Error: Project '{name}' already exists"
result = project_manager.CreateProject(name)
if result:
return f"Successfully created project '{name}'"
else:
return f"Failed to create project '{name}'"
@mcp.tool()
def save_project() -> str:
"""Save the current project.
Note that DaVinci Resolve typically auto-saves projects, so this may not be necessary.
"""
if resolve is None:
return "Error: Not connected to DaVinci Resolve"
project_manager = resolve.GetProjectManager()
if not project_manager:
return "Error: Failed to get Project Manager"
current_project = project_manager.GetCurrentProject()
if not current_project:
return "Error: No project currently open"
project_name = current_project.GetName()
success = False
error_message = None
# Try multiple approaches to save the project
try:
# Method 1: Try direct save method if available
try:
if hasattr(current_project, "SaveProject"):
result = current_project.SaveProject()
if result:
logger.info(f"Project '{project_name}' saved using SaveProject method")
success = True
except Exception as e:
logger.error(f"Error in SaveProject method: {str(e)}")
error_message = str(e)
# Method 2: Try project manager save method
if not success:
try:
if hasattr(project_manager, "SaveProject"):
result = project_manager.SaveProject()
if result:
logger.info(f"Project '{project_name}' saved using ProjectManager.SaveProject method")
success = True
except Exception as e:
logger.error(f"Error in ProjectManager.SaveProject method: {str(e)}")
if not error_message:
error_message = str(e)
# Method 3: Try the export method as a backup approach
if not success:
try:
# Get a temporary file path in the same location as other project files
import tempfile
import os
temp_dir = tempfile.gettempdir()
temp_file = os.path.join(temp_dir, f"{project_name}_temp.drp")
# Try to export the project, which should trigger a save
result = project_manager.ExportProject(project_name, temp_file)
if result:
logger.info(f"Project '{project_name}' saved via temporary export to {temp_file}")
# Try to clean up temp file
try:
if os.path.exists(temp_file):
os.remove(temp_file)
except:
pass
success = True
except Exception as e:
logger.error(f"Error in export method: {str(e)}")
if not error_message:
error_message = str(e)
# If all else fails, rely on auto-save
if not success:
return f"Automatic save likely in effect for project '{project_name}'. Manual save attempts failed: {error_message if error_message else 'Unknown error'}"
else:
return f"Successfully saved project '{project_name}'"
except Exception as e:
logger.error(f"Error saving project: {str(e)}")
return f"Error saving project: {str(e)}"
@mcp.tool()
def close_project() -> str:
"""Close the current project.
This closes the current project without saving. If you need to save, use the save_project function first.
"""
if resolve is None:
return "Error: Not connected to DaVinci Resolve"
project_manager = resolve.GetProjectManager()
if not project_manager:
return "Error: Failed to get Project Manager"
current_project = project_manager.GetCurrentProject()
if not current_project:
return "Error: No project currently open"
project_name = current_project.GetName()
# Close the project
try:
result = project_manager.CloseProject(current_project)
if result:
logger.info(f"Project '{project_name}' closed successfully")
return f"Successfully closed project '{project_name}'"
else:
logger.error(f"Failed to close project '{project_name}'")
return f"Failed to close project '{project_name}'"
except Exception as e:
logger.error(f"Error closing project: {str(e)}")
return f"Error closing project: {str(e)}"
# ------------------
# Timeline Operations
# ------------------
@mcp.resource("resolve://timelines")
def list_timelines() -> List[str]:
"""List all timelines in the current project."""
logger.info("Received request to list timelines")
if resolve is None:
logger.error("Not connected to DaVinci Resolve")
return ["Error: Not connected to DaVinci Resolve"]
project_manager = resolve.GetProjectManager()
if not project_manager:
logger.error("Failed to get Project Manager")
return ["Error: Failed to get Project Manager"]
current_project = project_manager.GetCurrentProject()
if not current_project:
logger.error("No project currently open")
return ["Error: No project currently open"]
timeline_count = current_project.GetTimelineCount()
logger.info(f"Timeline count: {timeline_count}")
timelines = []
for i in range(1, timeline_count + 1):
timeline = current_project.GetTimelineByIndex(i)
if timeline:
timeline_name = timeline.GetName()
timelines.append(timeline_name)
logger.info(f"Found timeline {i}: {timeline_name}")
if not timelines:
logger.info("No timelines found in the current project")
return ["No timelines found in the current project"]
logger.info(f"Returning {len(timelines)} timelines: {', '.join(timelines)}")
return timelines
@mcp.resource("resolve://current-timeline")
def get_current_timeline() -> Dict[str, Any]:
"""Get information about the current timeline."""
if resolve is None:
return {"error": "Not connected to DaVinci Resolve"}
project_manager = resolve.GetProjectManager()
if not project_manager:
return {"error": "Failed to get Project Manager"}
current_project = project_manager.GetCurrentProject()
if not current_project:
return {"error": "No project currently open"}
current_timeline = current_project.GetCurrentTimeline()
if not current_timeline:
return {"error": "No timeline currently active"}
# Get basic timeline information
result = {
"name": current_timeline.GetName(),
"fps": current_timeline.GetSetting("timelineFrameRate"),
"resolution": {
"width": current_timeline.GetSetting("timelineResolutionWidth"),
"height": current_timeline.GetSetting("timelineResolutionHeight")
},
"duration": current_timeline.GetEndFrame() - current_timeline.GetStartFrame() + 1
}
return result
@mcp.resource("resolve://timeline-tracks/{timeline_name}")
def get_timeline_tracks(timeline_name: str = None) -> Dict[str, Any]:
"""Get the track structure of a timeline.
Args:
timeline_name: Optional name of the timeline to get tracks from. Uses current timeline if None.
"""
from api.timeline_operations import get_timeline_tracks as get_tracks_func
return get_tracks_func(resolve, timeline_name)
@mcp.tool()
def create_timeline(name: str) -> str:
"""Create a new timeline with the given name.
Args:
name: The name for the new timeline
"""
if resolve is None:
return "Error: Not connected to DaVinci Resolve"
if not name:
return "Error: Timeline name cannot be empty"
project_manager = resolve.GetProjectManager()
if not project_manager:
return "Error: Failed to get Project Manager"
current_project = project_manager.GetCurrentProject()
if not current_project:
return "Error: No project currently open"
media_pool = current_project.GetMediaPool()
if not media_pool:
return "Error: Failed to get Media Pool"
timeline = media_pool.CreateEmptyTimeline(name)
if timeline:
return f"Successfully created timeline '{name}'"
else:
return f"Failed to create timeline '{name}'"
@mcp.tool()
def create_empty_timeline(name: str,
frame_rate: str = None,
resolution_width: int = None,
resolution_height: int = None,
start_timecode: str = None,
video_tracks: int = None,
audio_tracks: int = None) -> str:
"""Create a new timeline with the given name and custom settings.
Args:
name: The name for the new timeline
frame_rate: Optional frame rate (e.g. "24", "29.97", "30", "60")
resolution_width: Optional width in pixels (e.g. 1920)
resolution_height: Optional height in pixels (e.g. 1080)
start_timecode: Optional start timecode (e.g. "01:00:00:00")
video_tracks: Optional number of video tracks (Default is project setting)
audio_tracks: Optional number of audio tracks (Default is project setting)
"""
from api.timeline_operations import create_empty_timeline as create_empty_timeline_func
return create_empty_timeline_func(resolve, name, frame_rate, resolution_width,
resolution_height, start_timecode,
video_tracks, audio_tracks)
@mcp.tool()
def delete_timeline(name: str) -> str:
"""Delete a timeline by name.
Args:
name: The name of the timeline to delete
"""
from api.timeline_operations import delete_timeline as delete_timeline_func
return delete_timeline_func(resolve, name)
@mcp.tool()
def set_current_timeline(name: str) -> str:
"""Switch to a timeline by name.
Args:
name: The name of the timeline to set as current
"""
if resolve is None:
return "Error: Not connected to DaVinci Resolve"
if not name:
return "Error: Timeline name cannot be empty"
project_manager = resolve.GetProjectManager()
if not project_manager:
return "Error: Failed to get Project Manager"
current_project = project_manager.GetCurrentProject()
if not current_project:
return "Error: No project currently open"
# Find the timeline by name
timeline_count = current_project.GetTimelineCount()
for i in range(1, timeline_count + 1):
timeline = current_project.GetTimelineByIndex(i)
if timeline and timeline.GetName() == name:
result = current_project.SetCurrentTimeline(timeline)
if result:
return f"Successfully switched to timeline '{name}'"
else:
return f"Failed to switch to timeline '{name}'"
return f"Error: Timeline '{name}' not found"
@mcp.tool()
def add_marker(frame: int = None, color: str = "Blue", note: str = "") -> str:
"""Add a marker at the specified frame in the current timeline.
Args:
frame: The frame number to add the marker at (defaults to current position if None)
color: The marker color (Blue, Cyan, Green, Yellow, Red, Pink, Purple, Fuchsia, Rose, Lavender, Sky, Mint, Lemon, Sand, Cocoa, Cream)
note: Text note to add to the marker
"""
from api.timeline_operations import add_marker as add_marker_func
return add_marker_func(resolve, frame, color, note)
# ------------------
# Media Pool Operations
# ------------------
@mcp.resource("resolve://media-pool-clips")
def list_media_pool_clips() -> List[Dict[str, Any]]:
"""List all clips in the root folder of the media pool."""
if resolve is None:
return [{"error": "Not connected to DaVinci Resolve"}]
project_manager = resolve.GetProjectManager()
if not project_manager:
return [{"error": "Failed to get Project Manager"}]
current_project = project_manager.GetCurrentProject()
if not current_project:
return [{"error": "No project currently open"}]
media_pool = current_project.GetMediaPool()
if not media_pool:
return [{"error": "Failed to get Media Pool"}]
root_folder = media_pool.GetRootFolder()
if not root_folder:
return [{"error": "Failed to get root folder"}]
clips = root_folder.GetClipList()
if not clips:
return [{"info": "No clips found in the root folder"}]
# Return a simplified list with basic clip info
result = []
for clip in clips:
result.append({
"name": clip.GetName(),
"duration": clip.GetDuration(),
"fps": clip.GetClipProperty("FPS")
})
return result
@mcp.tool()
def import_media(file_path: str) -> str:
"""Import media file into the current project's media pool.
Args:
file_path: The path to the media file to import
"""
from api.media_operations import import_media as import_media_func
return import_media_func(resolve, file_path)
@mcp.tool()
def delete_media(clip_name: str) -> str:
"""Delete a media clip from the media pool by name.
Args:
clip_name: Name of the clip to delete
"""
from api.media_operations import delete_media as delete_media_func
return delete_media_func(resolve, clip_name)
@mcp.tool()
def move_media_to_bin(clip_name: str, bin_name: str) -> str:
"""Move a media clip to a specific bin in the media pool.
Args:
clip_name: Name of the clip to move
bin_name: Name of the target bin
"""
from api.media_operations import move_media_to_bin as move_media_func
return move_media_func(resolve, clip_name, bin_name)
@mcp.tool()
def auto_sync_audio(clip_names: List[str], sync_method: str = "waveform",
append_mode: bool = False, target_bin: str = None) -> str:
"""Sync audio between clips with customizable settings.
Args:
clip_names: List of clip names to sync
sync_method: Method to use for synchronization - 'waveform' or 'timecode'
append_mode: Whether to append the audio or replace it
target_bin: Optional bin to move synchronized clips to
"""
from api.media_operations import auto_sync_audio as auto_sync_audio_func
return auto_sync_audio_func(resolve, clip_names, sync_method, append_mode, target_bin)
@mcp.tool()
def unlink_clips(clip_names: List[str]) -> str:
"""Unlink specified clips, disconnecting them from their media files.
Args:
clip_names: List of clip names to unlink
"""
from api.media_operations import unlink_clips as unlink_clips_func
return unlink_clips_func(resolve, clip_names)
@mcp.tool()
def relink_clips(clip_names: List[str], media_paths: List[str] = None,
folder_path: str = None, recursive: bool = False) -> str:
"""Relink specified clips to their media files.
Args:
clip_names: List of clip names to relink
media_paths: Optional list of specific media file paths to use for relinking
folder_path: Optional folder path to search for media files
recursive: Whether to search the folder path recursively
"""
from api.media_operations import relink_clips as relink_clips_func
return relink_clips_func(resolve, clip_names, media_paths, folder_path, recursive)
@mcp.tool()
def create_sub_clip(clip_name: str, start_frame: int, end_frame: int,
sub_clip_name: str = None, bin_name: str = None) -> str:
"""Create a subclip from the specified clip using in and out points.
Args:
clip_name: Name of the source clip
start_frame: Start frame (in point)
end_frame: End frame (out point)
sub_clip_name: Optional name for the subclip (defaults to original name with '_subclip')
bin_name: Optional bin to place the subclip in
"""
from api.media_operations import create_sub_clip as create_sub_clip_func
return create_sub_clip_func(resolve, clip_name, start_frame, end_frame, sub_clip_name, bin_name)
@mcp.tool()
def create_bin(name: str) -> str:
"""Create a new bin/folder in the media pool.
Args:
name: The name for the new bin
"""
from api.media_operations import create_bin as create_bin_func
return create_bin_func(resolve, name)
@mcp.resource("resolve://media-pool-bins")
def list_media_pool_bins() -> List[Dict[str, Any]]:
"""List all bins/folders in the media pool."""
from api.media_operations import list_bins as list_bins_func
return list_bins_func(resolve)
@mcp.resource("resolve://media-pool-bin/{bin_name}")
def get_media_pool_bin_contents(bin_name: str) -> List[Dict[str, Any]]:
"""Get contents of a specific bin/folder in the media pool.
Args:
bin_name: The name of the bin to get contents from. Use 'Master' for the root folder.
"""
from api.media_operations import get_bin_contents as get_bin_contents_func
return get_bin_contents_func(resolve, bin_name)
@mcp.resource("resolve://timeline-clips")
def list_timeline_clips() -> List[Dict[str, Any]]:
"""List all clips in the current timeline."""
if resolve is None:
return [{"error": "Not connected to DaVinci Resolve"}]
project_manager = resolve.GetProjectManager()
if not project_manager:
return [{"error": "Failed to get Project Manager"}]
current_project = project_manager.GetCurrentProject()
if not current_project:
return [{"error": "No project currently open"}]
current_timeline = current_project.GetCurrentTimeline()
if not current_timeline:
return [{"error": "No timeline currently active"}]
try:
# Get all tracks in the timeline
# Video tracks are 1-based index (1 is first track)
video_track_count = current_timeline.GetTrackCount("video")
audio_track_count = current_timeline.GetTrackCount("audio")
clips = []
# Process video tracks
for track_index in range(1, video_track_count + 1):
track_items = current_timeline.GetItemListInTrack("video", track_index)
if track_items:
for item in track_items:
clips.append({
"name": item.GetName(),
"type": "video",
"track": track_index,
"start_frame": item.GetStart(),
"end_frame": item.GetEnd(),
"duration": item.GetDuration()
})
# Process audio tracks
for track_index in range(1, audio_track_count + 1):
track_items = current_timeline.GetItemListInTrack("audio", track_index)
if track_items:
for item in track_items:
clips.append({
"name": item.GetName(),
"type": "audio",
"track": track_index,
"start_frame": item.GetStart(),
"end_frame": item.GetEnd(),
"duration": item.GetDuration()
})
if not clips:
return [{"info": "No clips found in the current timeline"}]
return clips
except Exception as e:
return [{"error": f"Error listing timeline clips: {str(e)}"}]
@mcp.tool()
def list_timelines_tool() -> List[str]:
"""List all timelines in the current project as a tool."""
logger.info("Received request to list timelines via tool")
return list_timelines()
@mcp.tool()
def add_clip_to_timeline(clip_name: str, timeline_name: str = None) -> str:
"""Add a media pool clip to the timeline.
Args:
clip_name: Name of the clip in the media pool
timeline_name: Optional timeline to target (uses current if not specified)
"""
from api.media_operations import add_clip_to_timeline as add_clip_func
return add_clip_func(resolve, clip_name, timeline_name)
# ------------------
# Color Page Operations
# ------------------
@mcp.resource("resolve://color/current-node")
def get_current_color_node() -> Dict[str, Any]:
"""Get information about the current node in the color page."""
from api.color_operations import get_current_node as get_node_func
return get_node_func(resolve)
@mcp.resource("resolve://color/wheels/{node_index}")
def get_color_wheel_params(node_index: int = None) -> Dict[str, Any]:
"""Get color wheel parameters for a specific node.
Args:
node_index: Index of the node to get color wheels from (uses current node if None)
"""
from api.color_operations import get_color_wheels as get_wheels_func
return get_wheels_func(resolve, node_index)
@mcp.tool()
def apply_lut(lut_path: str, node_index: int = None) -> str:
"""Apply a LUT to a node in the color page.
Args:
lut_path: Path to the LUT file to apply
node_index: Index of the node to apply the LUT to (uses current node if None)
"""
from api.color_operations import apply_lut as apply_lut_func
return apply_lut_func(resolve, lut_path, node_index)
@mcp.tool()
def set_color_wheel_param(wheel: str, param: str, value: float, node_index: int = None) -> str:
"""Set a color wheel parameter for a node.
Args:
wheel: Which color wheel to adjust ('lift', 'gamma', 'gain', 'offset')
param: Which parameter to adjust ('red', 'green', 'blue', 'master')
value: The value to set (typically between -1.0 and 1.0)
node_index: Index of the node to set parameter for (uses current node if None)
"""
from api.color_operations import set_color_wheel_param as set_param_func
return set_param_func(resolve, wheel, param, value, node_index)
@mcp.tool()
def add_node(node_type: str = "serial", label: str = None) -> str:
"""Add a new node to the current grade in the color page.
Args:
node_type: Type of node to add. Options: 'serial', 'parallel', 'layer'
label: Optional label/name for the new node
"""
from api.color_operations import add_node as add_node_func
return add_node_func(resolve, node_type, label)
@mcp.tool()
def copy_grade(source_clip_name: str = None, target_clip_name: str = None, mode: str = "full") -> str:
"""Copy a grade from one clip to another in the color page.
Args:
source_clip_name: Name of the source clip to copy grade from (uses current clip if None)
target_clip_name: Name of the target clip to apply grade to (uses current clip if None)
mode: What to copy - 'full' (entire grade), 'current_node', or 'all_nodes'
"""
from api.color_operations import copy_grade as copy_grade_func
return copy_grade_func(resolve, source_clip_name, target_clip_name, mode)
# ------------------
# Delivery Page Operations
# ------------------
@mcp.resource("resolve://delivery/render-presets")
def get_render_presets() -> List[Dict[str, Any]]:
"""Get all available render presets in the current project."""
from api.delivery_operations import get_render_presets as get_presets_func
return get_presets_func(resolve)
@mcp.tool()
def add_to_render_queue(preset_name: str, timeline_name: str = None, use_in_out_range: bool = False) -> Dict[str, Any]:
"""Add a timeline to the render queue with the specified preset.
Args:
preset_name: Name of the render preset to use
timeline_name: Name of the timeline to render (uses current if None)
use_in_out_range: Whether to render only the in/out range instead of entire timeline
"""
from api.delivery_operations import add_to_render_queue as add_queue_func
return add_queue_func(resolve, preset_name, timeline_name, use_in_out_range)
@mcp.tool()
def start_render() -> Dict[str, Any]:
"""Start rendering the jobs in the render queue."""
from api.delivery_operations import start_render as start_render_func
return start_render_func(resolve)
@mcp.resource("resolve://delivery/render-queue/status")
def get_render_queue_status() -> Dict[str, Any]:
"""Get the status of jobs in the render queue."""
from api.delivery_operations import get_render_queue_status as get_status_func
return get_status_func(resolve)
@mcp.tool()
def clear_render_queue() -> Dict[str, Any]:
"""Clear all jobs from the render queue."""
from api.delivery_operations import clear_render_queue as clear_queue_func
return clear_queue_func(resolve)
@mcp.tool()