オブジェクトアクセスの基礎
エクステンション開発でよく利用するオブジェクトやプロパティへのアクセス方法について説明します。
コマンドやイベントハンドラでのアクセス
コマンドやイベントではICommandContext
オブジェクトやIEventContext
オブジェクトのApp
プロパティを用いてアプリケーションの情報にアクセスできます。
protected void SomeCommand(ICommandContext c, ICommandParams p)
{
// アプリケーションを取得します
var app = c.App;
// ワークスペース(プロジェクトファイル操作)を取得します
var workspace = c.App.Workspace;
// 現在のプロジェクトを取得します
var currentProject = workspace.CurrentProject;
// 現在のモデルを取得します
var currentModel = workspace.CurrentModel;
// メタモデルを取得します
var metamodels = currentProject.Profile.Metamodels;
// ファイルを開くダイアログなどの標準UIを取得します
var ui = app.Window.UI;
}
次のように実装できます。
public void SomeCommand(ICommandContext c, ICommandParams p)
{
// プロジェクトファイルのパスを取得します
var projectFilePath = c.App.Workspace.CurrentProject.ModelUnit.AbsolutePath;
c.App.Output.WriteLine("sample", projectFilePath);
}
エクステンション(IExtension)でのアクセス
エクステンションのActivate/Deactivate実装では、IContext
オブジェクトのApp
プロパティでアプリケーションオブジェクトにアクセスできます。
public class MyExtension : IExtension
{
public void Activate(IContext context)
{
// アプリケーションを取得します
IApplication app = context.App;
// ワークスペース(プロジェクトファイル操作)を取得します
var workspace = context.App.Workspace;
//...
}
public void Deactivate(IContext context)
{
}
}
DLLとスクリプトでのアクセス方法の違い
スクリプトのエクステンションではあらかじめ次のようなグローバルな変数が定義されています。
App
CurrentProject
CurrentModel
UI
Output
Workspace
- など
従ってDLLで次のように実装している場合、
// コマンドハンドラ
public void SayHello(ICommandContext c, ICommandParams p)
{
// "App"に直接アクセスできます
c.App.Window.UI.ShowInformationDialog("Hello !", "Hello World");
// 現在のプロジェクトを取得します
var project = c.App.Workspace.CurrentProject;
}
スクリプトではICommandContext
オブジェクトを用いずにアクセスできます。
// コマンドハンドラ
public void SayHello(ICommandContext c, ICommandParams p)
{
// "App"に直接アクセスできます
App.Window.UI.ShowInformationDialog("Hello !", "Hello World");
// "CurrentProject"で現在のプロジェクトを取得します
var project = CurrentProject;
}
詳しくはスクリプトで開発する > グローバルオブジェクトを参照して下さい。
ExtensionPointsライブラリからのアクセス
ExtensionPointsライブラリを利用した場合は、次のようにコマンド、イベントハンドラ内でApp
やOutput
といったプロパティにアクセスできるため、よりシンプルでスクリプトに近い実装が可能です。ICommandContext
やIEventContext
プロパティを用いる場合はほぼなくなります。
public class HelloCommand : CommandHandlerBase
{
/// <summary>
/// コマンドの実行
/// </summary>
/// <param name="c"></param>
/// <param name="p"></param>
protected override void OnExecute(ICommandContext c, ICommandParams p)
{
// "c.App.Workspace.CurrentProject"とせず、直接"CurrentProject"プロパティでアクセスできます
if ( CurrentProject != null)
{
Output.WriteLine(ExtensionName, $"ProjectName : {CurrentProject.Name}");
} else
{
Output.WriteLine(ExtensionName, $"Project is not opened");
}
// "App"プロパティでIApplicationにアクセスできます
// アクティブにします
App.Window.IsInformationPaneVisible = true;
App.Window.CurrentOutputCategory = ExtensionName;
App.Window.ActiveInfoWindow = "Output";
}
}
アクセスできるプロパティの例
App
CurrentProject
CurrentModel
CurrentEditor
UI
Output
Workspace
Window
- など
詳しくはExtensionPoints > コマンドハンドラの実装を参照して下さい。