Enter the Old Code: Paste your existing code into the "Old Code" textarea provided. You can use the example Java 8 code below, or any code/language.
Specify the Target Version: Indicate the version number you want to migrate your code to in the "Target Version" input field. For example, Java 17.
Submit the Form: Click the "Submit" button to start the migration process. A spinner will appear indicating the processing.
View the Migrated Code: Once the process is complete, the new migrated code will be displayed on the page.
Review Changes: The tool will also show a summary of changes made during the migration.
Generate Unit Test Cases: Click the "Generate Unit Test Cases" button to create unit test cases for the new code. A spinner will appear while the test cases are being generated.
View Test Cases: Once the test cases are generated, they will be displayed below.
Example Java 8 Code:
import java.util.ArrayList;
import java.util.List;
import java.util.Optional;
class Database {
private List users = new ArrayList<>();
public Database() {
// Initialize the database with some mock data
users.add(new User(1, "John Doe"));
users.add(new User(2, "Jane Doe"));
}
public Optional getUserById(int id) {
return users.stream()
.filter(user -> user.getId() == id)
.findFirst();
}
public List getAllUsers() {
return new ArrayList<>(users);
}
public void updateUser(User user) {
this.getUserById(user.getId()).ifPresent(u -> {
u.setName(user.getName());
System.out.println("Updated user: " + u);
});
}
}
class User {
private int id;
private String name;
public User(int id, String name) {
this.id = id;
this.name = name;
}
public int getId() {
return id;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
@Override
public String toString() {
return "User{id=" + id + ", name='" + name + '\'' + '}';
}
}
public class Main {
public static void main(String[] args) {
Database db = new Database();
// Fetch all users
List users = db.getAllUsers();
System.out.println("All users:");
users.forEach(System.out::println);
// Fetch a single user by ID
Optional user = db.getUserById(1);
user.ifPresent(u -> System.out.println("Fetched user: " + u));
// Update a user
user.ifPresent(u -> {
u.setName("John Smith");
db.updateUser(u);
});
// Verify update
user = db.getUserById(1);
user.ifPresent(u -> System.out.println("Updated user: " + u));
}