save plugins Fusion 360

This commit is contained in:
2022-09-21 21:50:43 +02:00
commit 5a41c6454a
74 changed files with 1988 additions and 0 deletions

View File

@@ -0,0 +1,193 @@
import json
import adsk.core
import os
from ...lib import fusion360utils as futil
from ... import config
from datetime import datetime
app = adsk.core.Application.get()
ui = app.userInterface
# TODO ********************* Change these names *********************
CMD_ID = f'{config.COMPANY_NAME}_{config.ADDIN_NAME}_PalleteShow'
CMD_NAME = 'Show My Palette'
CMD_Description = 'A Fusion 360 Add-in Palette'
PALETTE_NAME = 'My Palette Sample'
IS_PROMOTED = False
# Using "global" variables by referencing values from /config.py
PALETTE_ID = config.sample_palette_id
# Specify the full path to the local html. You can also use a web URL
# such as 'https://www.autodesk.com/'
PALETTE_URL = os.path.join(os.path.dirname(os.path.abspath(__file__)), 'resources', 'html', 'index.html')
# The path function builds a valid OS path. This fixes it to be a valid local URL.
PALETTE_URL = PALETTE_URL.replace('\\', '/')
# Set a default docking behavior for the palette
PALETTE_DOCKING = adsk.core.PaletteDockingStates.PaletteDockStateRight
# TODO *** Define the location where the command button will be created. ***
# This is done by specifying the workspace, the tab, and the panel, and the
# command it will be inserted beside. Not providing the command to position it
# will insert it at the end.
WORKSPACE_ID = 'FusionSolidEnvironment'
PANEL_ID = 'SolidScriptsAddinsPanel'
COMMAND_BESIDE_ID = 'ScriptsManagerCommand'
# Resource location for command icons, here we assume a sub folder in this directory named "resources".
ICON_FOLDER = os.path.join(os.path.dirname(os.path.abspath(__file__)), 'resources', '')
# Local list of event handlers used to maintain a reference so
# they are not released and garbage collected.
local_handlers = []
# Executed when add-in is run.
def start():
# Create a command Definition.
cmd_def = ui.commandDefinitions.addButtonDefinition(CMD_ID, CMD_NAME, CMD_Description, ICON_FOLDER)
# Add command created handler. The function passed here will be executed when the command is executed.
futil.add_handler(cmd_def.commandCreated, command_created)
# ******** Add a button into the UI so the user can run the command. ********
# Get the target workspace the button will be created in.
workspace = ui.workspaces.itemById(WORKSPACE_ID)
# Get the panel the button will be created in.
panel = workspace.toolbarPanels.itemById(PANEL_ID)
# Create the button command control in the UI after the specified existing command.
control = panel.controls.addCommand(cmd_def, COMMAND_BESIDE_ID, False)
# Specify if the command is promoted to the main toolbar.
control.isPromoted = IS_PROMOTED
# Executed when add-in is stopped.
def stop():
# Get the various UI elements for this command
workspace = ui.workspaces.itemById(WORKSPACE_ID)
panel = workspace.toolbarPanels.itemById(PANEL_ID)
command_control = panel.controls.itemById(CMD_ID)
command_definition = ui.commandDefinitions.itemById(CMD_ID)
palette = ui.palettes.itemById(PALETTE_ID)
# Delete the button command control
if command_control:
command_control.deleteMe()
# Delete the command definition
if command_definition:
command_definition.deleteMe()
# Delete the Palette
if palette:
palette.deleteMe()
# Event handler that is called when the user clicks the command button in the UI.
# To have a dialog, you create the desired command inputs here. If you don't need
# a dialog, don't create any inputs and the execute event will be immediately fired.
# You also need to connect to any command related events here.
def command_created(args: adsk.core.CommandCreatedEventArgs):
# General logging for debug.
futil.log(f'{CMD_NAME}: Command created event.')
# Create the event handlers you will need for this instance of the command
futil.add_handler(args.command.execute, command_execute, local_handlers=local_handlers)
futil.add_handler(args.command.destroy, command_destroy, local_handlers=local_handlers)
# Because no command inputs are being added in the command created event, the execute
# event is immediately fired.
def command_execute(args: adsk.core.CommandEventArgs):
# General logging for debug.
futil.log(f'{CMD_NAME}: Command execute event.')
palettes = ui.palettes
palette = palettes.itemById(PALETTE_ID)
if palette is None:
palette = palettes.add(
id=PALETTE_ID,
name=PALETTE_NAME,
htmlFileURL=PALETTE_URL,
isVisible=True,
showCloseButton=True,
isResizable=True,
width=650,
height=600,
useNewWebBrowser=True
)
futil.add_handler(palette.closed, palette_closed)
futil.add_handler(palette.navigatingURL, palette_navigating)
futil.add_handler(palette.incomingFromHTML, palette_incoming)
futil.log(f'{CMD_NAME}: Created a new palette: ID = {palette.id}, Name = {palette.name}')
if palette.dockingState == adsk.core.PaletteDockingStates.PaletteDockStateFloating:
palette.dockingState = PALETTE_DOCKING
palette.isVisible = True
# Use this to handle a user closing your palette.
def palette_closed(args: adsk.core.UserInterfaceGeneralEventArgs):
# General logging for debug.
futil.log(f'{CMD_NAME}: Palette was closed.')
# Use this to handle a user navigating to a new page in your palette.
def palette_navigating(args: adsk.core.NavigationEventArgs):
# General logging for debug.
futil.log(f'{CMD_NAME}: Palette navigating event.')
# Get the URL the user is navigating to:
url = args.navigationURL
log_msg = f"User is attempting to navigate to {url}\n"
futil.log(log_msg, adsk.core.LogLevels.InfoLogLevel)
# Check if url is an external site and open in user's default browser.
if url.startswith("http"):
args.launchExternally = True
# Use this to handle events sent from javascript in your palette.
def palette_incoming(html_args: adsk.core.HTMLEventArgs):
# General logging for debug.
futil.log(f'{CMD_NAME}: Palette incoming event.')
message_data: dict = json.loads(html_args.data)
message_action = html_args.action
log_msg = f"Event received from {html_args.firingEvent.sender.name}\n"
log_msg += f"Action: {message_action}\n"
log_msg += f"Data: {message_data}"
futil.log(log_msg, adsk.core.LogLevels.InfoLogLevel)
# TODO ******** Your palette reaction code here ********
# Read message sent from palette javascript and react appropriately.
if message_action == 'messageFromPalette':
arg1 = message_data.get('arg1', 'arg1 not sent')
arg2 = message_data.get('arg2', 'arg2 not sent')
msg = 'An event has been fired from the html to Fusion with the following data:<br/>'
msg += f'<b>Action</b>: {message_action}<br/><b>arg1</b>: {arg1}<br/><b>arg2</b>: {arg2}'
ui.messageBox(msg)
# Return value.
now = datetime.now()
currentTime = now.strftime('%H:%M:%S')
html_args.returnData = f'OK - {currentTime}'
# This event handler is called when the command terminates.
def command_destroy(args: adsk.core.CommandEventArgs):
# General logging for debug.
futil.log(f'{CMD_NAME}: Command destroy event.')
global local_handlers
local_handlers = []

Binary file not shown.

After

Width:  |  Height:  |  Size: 340 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 587 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.1 KiB

View File

@@ -0,0 +1,39 @@
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<title>Title</title>
<script src="static/palette.js"></script>
</head>
<body>
<div>
<h1>Fusion 360 Palette Sample</h1>
<div>
<a href="https://help.autodesk.com/view/fusion360/ENU/?guid=GUID-6C0C8148-98D0-4DBC-A4EC-D8E03A8A3B5B">
Learn more about working with Palettes in Fusion 360
</a>
</div>
<br><hr>
<h3>Send Data to HTML Event Handler</h3>
<div style='margin-left: 30px;'>
<label for="sampleData"><b>Data to send:</b></label>
<input type="text" id="sampleData" value="Enter Some Text"><br/><br/>
<button type='button' onclick='sendInfoToFusion()' style='background-color: #cccccc; padding: 5px'>
<b>Send HTML Event</b>
</button>
</div>
<h3>HTML Event Response Value:</h3>
<div id='returnValue' style='margin-left: 30px;'>Response</div>
<h3>Message from "Send to Palette" Command</h3>
<div style='margin-left: 30px;'>
<p id='fusionMessage'>Message from Fusion</p>
<br/><br/>
</div>
</div>
</body>
</html>

View File

@@ -0,0 +1,48 @@
function getDateString() {
const today = new Date();
const date = `${today.getDate()}/${today.getMonth() + 1}/${today.getFullYear()}`;
const time = `${today.getHours()}:${today.getMinutes()}:${today.getSeconds()}`;
return `Date: ${date}, Time: ${time}`;
}
function sendInfoToFusion() {
const args = {
arg1: document.getElementById("sampleData").value,
arg2: getDateString()
};
// Send the data to Fusion as a JSON string. The return value is a Promise.
adsk.fusionSendData("messageFromPalette", JSON.stringify(args)).then((result) =>
document.getElementById("returnValue").innerHTML = `${result}`
);
}
function updateMessage(messageString) {
// Message is sent from the add-in as a JSON string.
const messageData = JSON.parse(messageString);
// Update a paragraph with the data passed in.
document.getElementById("fusionMessage").innerHTML =
`<b>Your text</b>: ${messageData.myText} <br/>` +
`<b>Your expression</b>: ${messageData.myExpression} <br/>` +
`<b>Your value</b>: ${messageData.myValue}`;
}
window.fusionJavaScriptHandler = {
handle: function (action, data) {
try {
if (action === "updateMessage") {
updateMessage(data);
} else if (action === "debugger") {
debugger;
} else {
return `Unexpected command type: ${action}`;
}
} catch (e) {
console.log(e);
console.log(`Exception caught with command: ${action}, data: ${data}`);
}
return "OK";
},
};