It's not quite clear what you mean by "nothing coming through". It's entirely possible that you're making a mistake in your implementation of the boilerplate, and you haven't shown any of the relevant code, so we can't point that out for you, but there is one general design flaw in your setup.
If you're using the boilerplate correctly, your plugin's settings property will look like this:
{
actions: [{"1_action":"1 action"}],
position: "left"
}
I assume you were expecting actions to be an array with two objects. This outcome is because you are specifying a value for actions, and so $.extend which is being used in Plugin.prototype.init doesn't use the default value.
You could solve this by changing this line in init:
this.settings = $.extend( {}, defaults, options );
To this:
this.settings = $.extend( true, {}, defaults, options );
// ^ "deep" param
Setting deep indicates that $.extend should be applied recursively. But this doesn't work for arrays, so you also need to make sure actions is an object:
var pluginName = "customHighlight",
defaults = {
actions: {"test_action":"Test action"},
position: "left"
};
Now, calling customHighlight like this:
$('div,p').customHighlight({
actions: {"1_action":"1 action"}
});
Would result in a settings object that looks like this:
{
actions: {
"test_action": "Test action"
"1_action": "1 action"
},
position: "left"
}
Fiddle