In Java, creating a new object involves using the 'new' keyword followed by the constructor of the class. Let's take the example of a simple 'Car' class to understand how to create a new object in Java.
First, we define the 'Car' class with attributes and a constructor:
```
public class Car {
String make;
String model;
public Car(String make, String model) {
this.make = make;
this.model = model;
}
}
```
Now, let's create a new object of the 'Car' class in our main method:
```
public class Main {
public static void main(String[] args) {
Car myCar = new Car("Toyota", "Corolla");
}
}
```
In this example, we create a new object 'myCar' of the 'Car' class using the 'new' keyword followed by the constructor. We pass the make and model of the car as arguments to the constructor.
Once the object is created, we can access its attributes and methods using the dot operator. For example, we can access the 'make' and 'model' of 'myCar' as follows:
```
System.out.println(myCar.make); // Output: Toyota
System.out.println(myCar.model); // Output: Corolla
```
That's it! You have successfully created a new object in Java using a simple example. Remember, the process of creating objects in Java follows the same pattern for any class. You use the 'new' keyword followed by the constructor to instantiate a new object.
Now that you understand how to create a new object in Java, you can start building more complex applications using the object-oriented capabilities of the language.