Classes act like most languages - I'd recommend learning a bit about how they work but let me try to give a little help:
You define classes to describe how an object will work - what it's properties are and what "functions" it can perform. Then, when you use the class you "instantiate" an object - make an instance of it. This is just what fe.add_artwork, fe.add_image, etc do - when you add those lines in your code, you are creating an instance of the artwork class, or image class, etc..
local my_image = fe.add_image( "snap", 0, 0, 320, 240 );
Since my_image is now an instance of the image class - you have access to all its defined properties and functions - .x, .y, .set_rgb(), etc.
What I'm describing here is creating your own class but it will have references to other AM objects. We're basically wrapping multiple objects into our own class. The "constructor" is essentially a function that runs when you create the instance. So look a this example:
class RedImage
{
image = null;
constructor( name, x, y, w, h)
{
image = fe.add_image( name, x, y, w, h );
red();
}
function red()
{
image.set_rgb( 255, 0, 0 );
}
}
local red_image = RedImage( "test.png", 0, 0, 320, 240 );
So, we created an instance of 'RedImage', the constructor runs - which sets the 'image' variable to an instance of fe.add_image, then the 'red' function is called which sets the rgb of the image to red.
In your case, you want to work with a surface and objects on the surface, so the class might look like this:
class MySurface
{
parent = null;
art = null;
constructor(x, y, w, h)
{
parent = fe.add_surface(w, h);
art = parent.add_artwork("snap", 0, 0, w, h );
}
function do_something()
{
print("I did something\n");
}
}
local obj = MySurface(0, 0, 320, 240 );
Now the constructor runs - creates a surface (parent) and adds a snap artwork (art) to the instance. We can now use our defined instance 'obj' to access those, or run any functions we define, or variables that are defined within the class.
It's pretty easy to modify the SimpleArtStrip/SimpleArtStripSlot to use something other than the artwork, but I think it'd be better for you to learn that
