A script class cannot directly inherit from an application registered class, as the script classes are not compiled into native machine code like the application classes are.
It is however possible to emulate the inheritance by using a proxy class to hide the underlying differences in an abstract layer. The proxy class has two parts, one is the C++ side that the application sees, and the other is the script side that the scripts can see and inherit from.
The following is an example implementation of such a proxy class.
This type is registered with the engine as the following:
The script side is declared as shared so it can be used in all script modules. It is also declared as abstract so it cannot be instantiated by itself, only as a parent class of another script class.
This script section should preferably be included automatically by the application in all the modules that should be able to derive from the FooScripted class.
  // On the script side
  shared abstract class FooScripted
  {
    // Allow scripts to create instances
    FooScripted() 
    {
      // Create the C++ side of the proxy
      @m_obj = FooScripted_t();  
    }    // The script side forwards the call to the C++ side
    void CallMe() { m_obj.CallMe(); }    // The C++ side property is exposed to the script through accessors
    int m_value 
    {
      get { return m_obj.m_value; }
      set { m_obj.m_value = value; }
    }    // The script class can be implicitly cast to the C++ type through the opImplCast method
    FooScripted_t @opImplCast() { return m_obj; }    // Hold a reference to the C++ side of the proxy
    private FooScripted_t @m_obj;
  }
Now the scripts classes can derive from the FooScripted class and access the properties and methods of the parent class normally.
  // Implement a script class that derives from the application class
  class FooDerived : FooScripted
  {
    void CallMe()
    {
       m_value += 1;
    }
  }  void main()
  {
    // When newly created the m_value is 0
    FooDerived d;
    assert( d.m_value == 0 );    // When calling the method the m_value is incremented with 1
    d.CallMe(); 
    assert( d.m_value == 1 );
  }
It is of course also possible to create an instance of the scripted class from the application and access it through the FooScripted C++ proxy, thus making it transparent from the rest of the application that the implementation is actually in the script.