Implemented ConfigService load/save methods and tests

This commit is contained in:
Rithvik Sriram 2025-11-28 00:27:38 +01:00
commit fc03b6998a
5 changed files with 259 additions and 0 deletions

View file

@ -0,0 +1,51 @@
package client.utils;
import java.util.ArrayList;
import java.util.List;
public class Config {
/*
Sets parameters for what the config file needs with a config
Object that will be used in the ConfigService object
*/
private String language = "en";
private String serverUrl = "http://localhost:8080";
private List<String> favourites = new ArrayList<>();
private List<String> shoppingList = new ArrayList<>();
public Config(){}
public String getLanguage() {
return language;
}
public List<String> getShoppingList() {
return shoppingList;
}
public List<String> getFavourites() {
return favourites;
}
public String getServerUrl() {
return serverUrl;
}
public void setLanguage(String language) {
this.language = language;
}
public void setServerUrl(String serverUrl) {
this.serverUrl = serverUrl;
}
public void setFavourites(List<String> favourites) {
this.favourites = favourites;
}
public void setShoppingList(List<String> shoppingList) {
this.shoppingList = shoppingList;
}
}

View file

@ -0,0 +1,84 @@
package client.utils;
import com.fasterxml.jackson.core.exc.StreamReadException;
import com.fasterxml.jackson.databind.DatabindException;
import com.fasterxml.jackson.databind.ObjectMapper;
import java.nio.file.Path;
import java.io.File;
import java.io.IOException;
public class ConfigService {
private final Path configPath;
private final ObjectMapper mapper = new ObjectMapper();
private Config config;
/*
Constructor that takes the path to the config file as it's parameter
*/
public ConfigService(Path configPath){
this.configPath = configPath;
load();
}
/*
Load needs to be called to load any changes from the config file
to the config attribute of the configService class.
Takes no parameters
*/
private void load(){
File file = configPath.toFile(); //reads the config file as file
if(file.exists()){
try{
config = mapper.readValue(file, Config.class); //uses Jackson to map the file to the config attribute
} catch (StreamReadException e) {
throw new RuntimeException(e);
} catch (DatabindException e) {
throw new RuntimeException(e);
} catch (IOException e) {
throw new RuntimeException(e);
}
}
else{
config = new Config(); // if file doesn't exist, it creates one
}
}
public Path getConfigPath() {
return configPath;
}
public ObjectMapper getMapper() {
return mapper;
}
public Config getConfig() {
return config;
}
public void setConfig(Config config) {
this.config = config;
}
/*
The save method saves any changes done to the file
from the config object
*/
public void save(){
try {
File file = configPath.toFile(); // file is the config file here
mapper.writeValue(file, config); // here we edit the value of the file using config
}
catch (Exception e){
throw new RuntimeException(e);
}
}
}