In C++ I could use 1 class throughout multiple files and when I modify a value using a function from one file, it would change that value globally.
In Java every file has to have it's own class; when I change a value using a method from one file, it does not change this value globally.
For example in C++ the files might look like this:
someClass.h
class someClass{
private:
    int x;
public:
    //Constructor
    someClass(){
        x = 5;
    }
    void changeVariable(); //Declaring function for later
}
main.cpp
int main(){
    someClass cClass;
    cClass.changeVariable(); //Call function
    cout << x; //outputs 6
}
fileA.cpp
void someClass::changeVariable(){
    x = 6; //x is changed to 6 globally.
}
In Java:
someClass.java
public class someClass {
    int x;
    //Constructor
    public someClass() {
        x = 5;
    }
main.java
public class main {
    public static void main() {
        someClass cClass = new someClass();
        subClass cSub = new subClass();
        cSub.changeVariable();
        System.out.print(x); //outputs 5
    }
}
fileA.java
public class fileA extends someClass {
    void changeVariable() {
        x = 6; //x is changed to 6 only for fileA
    }
}
My question is how can I change a variable from the sub class so that the variable is changed globally (For Java). Sorry if the question is still confusing.
 
     
     
     
    