diff --git a/amazon-linux.txt b/amazon-linux.txt new file mode 100644 index 0000000..6a11f1c --- /dev/null +++ b/amazon-linux.txt @@ -0,0 +1,17 @@ +### Commandes pour l'initialisation des services à partir d'un EC2 Amazon Linux vierge +### TODO : Remplacer les textes entre crochets ("[" et "]") par les valeurs adaptées + +sudo yum update -y +sudo yum install -y docker +sudo service docker start +sudo usermod -a -G docker ec2-user +sudo curl -L https://github.com/docker/compose/releases/latest/download/docker-compose-$(uname -s)-$(uname -m) -o /usr/local/bin/docker-compose +sudo chmod +x /usr/local/bin/docker-compose +sudo yum install git -y +git clone [LIEN HTTPS REPO WIKIJS] +cd [NOM REPO WIKIJS] +sudo docker-compose up -d +cd .. +git clone [LIEN HTTPS REPO TAF] +cd [NOM REPO TAF] +sudo docker-compose up -d \ No newline at end of file diff --git a/backend/pom.xml b/backend/pom.xml index f285fd6..0460c3b 100644 --- a/backend/pom.xml +++ b/backend/pom.xml @@ -9,7 +9,7 @@ backend - org.springframework.boot + org.springframework.boot spring-boot-starter-webflux @@ -83,13 +83,20 @@ com.squareup.okhttp3 okhttp - + com.opencsv opencsv 5.5 + + org.seleniumhq.selenium + selenium-java + 3.141.59 + + + @@ -141,6 +148,15 @@ org.apache.maven.plugins maven-surefire-plugin + + org.apache.maven.plugins + maven-compiler-plugin + 3.10.1 + + 17 + 17 + + diff --git a/backend/src/main/java/ca/etsmtl/taf/config/WebConfigSelenium.java b/backend/src/main/java/ca/etsmtl/taf/config/WebConfigSelenium.java index 3d63530..9b3d872 100644 --- a/backend/src/main/java/ca/etsmtl/taf/config/WebConfigSelenium.java +++ b/backend/src/main/java/ca/etsmtl/taf/config/WebConfigSelenium.java @@ -7,6 +7,7 @@ import org.springframework.http.MediaType; import org.springframework.web.reactive.function.client.WebClient; +// Non utilisé @Configuration public class WebConfigSelenium { diff --git a/backend/src/main/java/ca/etsmtl/taf/controller/TestSeleniumController.java b/backend/src/main/java/ca/etsmtl/taf/controller/TestSeleniumController.java index d54af36..7ea9589 100644 --- a/backend/src/main/java/ca/etsmtl/taf/controller/TestSeleniumController.java +++ b/backend/src/main/java/ca/etsmtl/taf/controller/TestSeleniumController.java @@ -1,28 +1,31 @@ package ca.etsmtl.taf.controller; -import ca.etsmtl.taf.dto.SeleniumCaseDto; -import ca.etsmtl.taf.entity.SeleniumCaseResponse; -import ca.etsmtl.taf.service.SeleniumService; +import ca.etsmtl.taf.selenium.payload.SeleniumTestService; +import ca.etsmtl.taf.selenium.payload.requests.SeleniumCase; +import ca.etsmtl.taf.selenium.payload.requests.SeleniumResponse; import org.springframework.http.ResponseEntity; import org.springframework.web.bind.annotation.*; -import java.io.IOException; -import java.net.URISyntaxException; import java.util.List; +import java.util.stream.Collectors; @CrossOrigin(origins = "*", maxAge = 3600) @RestController @RequestMapping("/api") public class TestSeleniumController { - private final SeleniumService seleniumService; + private final SeleniumTestService seleniumTestService; - public TestSeleniumController(SeleniumService seleniumService) { - this.seleniumService = seleniumService; + public TestSeleniumController(SeleniumTestService seleniumTestService) { + this.seleniumTestService = seleniumTestService; } @PostMapping("/testselenium") - public ResponseEntity> runTests(@RequestBody List seleniumCases) throws URISyntaxException, IOException, InterruptedException { - List response = seleniumService.sendTestCases(seleniumCases); - return ResponseEntity.ok(response); + public ResponseEntity> runTests(@RequestBody List seleniumCases) { + // Exécute chaque cas de test avec SeleniumTestService + List responses = seleniumCases.stream() + .map(seleniumTestService::executeTestCase) + .collect(Collectors.toList()); + + return ResponseEntity.ok(responses); } } diff --git a/backend/src/main/java/ca/etsmtl/taf/selenium/payload/SeleniumTestService.java b/backend/src/main/java/ca/etsmtl/taf/selenium/payload/SeleniumTestService.java new file mode 100644 index 0000000..3c1306b --- /dev/null +++ b/backend/src/main/java/ca/etsmtl/taf/selenium/payload/SeleniumTestService.java @@ -0,0 +1,282 @@ +package ca.etsmtl.taf.selenium.payload; + +import ca.etsmtl.taf.selenium.payload.requests.SeleniumAction; +import ca.etsmtl.taf.selenium.payload.requests.SeleniumCase; +import ca.etsmtl.taf.selenium.payload.requests.SeleniumResponse; + +import org.openqa.selenium.Alert; +import org.openqa.selenium.By; +import org.openqa.selenium.JavascriptExecutor; +import org.openqa.selenium.NoAlertPresentException; +import org.openqa.selenium.TimeoutException; +import org.openqa.selenium.WebDriver; +import org.openqa.selenium.WebElement; +import org.openqa.selenium.interactions.Actions; +import org.openqa.selenium.safari.SafariDriver; +import org.openqa.selenium.support.ui.ExpectedConditions; +import org.openqa.selenium.support.ui.Select; +import org.openqa.selenium.support.ui.WebDriverWait; +import org.springframework.stereotype.Component; + +import java.sql.Timestamp; +import java.time.Duration; +import java.util.List; +import java.util.NoSuchElementException; +import java.util.concurrent.TimeUnit; + +@Component +public class SeleniumTestService { + + public SeleniumResponse executeTestCase(SeleniumCase seleniumCase) { + List seleniumActions = seleniumCase.getActions(); + + SeleniumResponse seleniumResponse = new SeleniumResponse(); + seleniumResponse.setCase_id(seleniumCase.getCase_id()); + seleniumResponse.setCaseName(seleniumCase.getCaseName()); + seleniumResponse.setSeleniumActions(seleniumActions); + long currentTimestamp = (new Timestamp(System.currentTimeMillis())).getTime(); + seleniumResponse.setTimestamp(currentTimestamp / 1000); + + WebDriver driver = new SafariDriver(); // Utilisation de SafariDriver + // Attente implicite globale + driver.manage().timeouts().implicitlyWait(5, TimeUnit.SECONDS); + long startTime = System.currentTimeMillis(); + + try { + for (SeleniumAction seleniumAction : seleniumActions) { + switch (seleniumAction.getAction_type_id()) { + case 1: // goToUrl + driver.get(seleniumAction.getInput()); + driver.manage().timeouts().implicitlyWait(1, TimeUnit.SECONDS); + break; + + case 2: // FillField amélioré + WebElement textBox = driver.findElement(By.name(seleniumAction.getObject())); + String fieldType = textBox.getAttribute("type"); + + // Vérifier si le champ a une limite de caractères + String maxLengthAttr = textBox.getAttribute("maxlength"); + int maxLength = maxLengthAttr != null ? Integer.parseInt(maxLengthAttr) : Integer.MAX_VALUE; + + // Limiter l'entrée si nécessaire + String inputText = seleniumAction.getInput().length() > maxLength + ? seleniumAction.getInput().substring(0, maxLength) + : seleniumAction.getInput(); + + // Vérifier le type de champ et insérer les données appropriées + if ("email".equals(fieldType)) { + // Valider l'entrée d'email basique si nécessaire + if (inputText.matches("^[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\\.[a-zA-Z]{2,6}$")) { + textBox.sendKeys(inputText); + } else { + setFailureResponse(seleniumResponse, driver, startTime, "Invalid email format for field " + seleniumAction.getObject()); + return seleniumResponse; + } + } else if ("number".equals(fieldType)) { + // Assurer que l'entrée est numérique pour un champ de type "number" + try { + Double.parseDouble(inputText); + textBox.sendKeys(inputText); + } catch (NumberFormatException e) { + setFailureResponse(seleniumResponse, driver, startTime, "Invalid number format for field " + seleniumAction.getObject()); + return seleniumResponse; + } + } else { + // Pour tout autre type de champ (text, password, etc.), insérer simplement l'entrée + textBox.sendKeys(inputText); + } + break; + + case 3: // GetAttribute + WebElement webElement = driver.findElement(By.name(seleniumAction.getTarget())); + String pageAttribute = webElement.getAttribute(seleniumAction.getObject()); + if (!pageAttribute.equals(seleniumAction.getInput())) { + setFailureResponse(seleniumResponse, driver, startTime, "Attribute " + seleniumAction.getObject() + " of " + seleniumAction.getTarget() + " is " + pageAttribute + " instead of " + seleniumAction.getInput()); + return seleniumResponse; + } + break; + case 4: // GetPageTitle + String pageTitle = driver.getTitle(); + if (!pageTitle.equals(seleniumAction.getTarget())) { + setFailureResponse(seleniumResponse, driver, startTime, "Page title is " + pageTitle + " instead of " + seleniumAction.getTarget()); + return seleniumResponse; + } + break; + case 5: // Clear + WebElement textBoxToClear = driver.findElement(By.name(seleniumAction.getObject())); + textBoxToClear.clear(); + break; + case 6: // Click + try { + WebDriverWait wait = new WebDriverWait(driver, Duration.ofSeconds(10)); // 10 secondes d'attente + WebElement element = wait.until(ExpectedConditions.elementToBeClickable(By.cssSelector(seleniumAction.getObject()))); + element.click(); + } catch (NoSuchElementException e) { + setFailureResponse(seleniumResponse, driver, startTime, "L'élément avec l'ID '" + seleniumAction.getObject() + "' est introuvable."); + return seleniumResponse; + } + break; + + case 7: // IsDisplayed amélioré pour sites statiques et dynamiques + try { + // Utilise WebDriverWait pour attendre la visibilité de l'élément + WebDriverWait wait = new WebDriverWait(driver, Duration.ofSeconds(5)); // Délai maximum ajustable + WebElement element = wait.until(ExpectedConditions.visibilityOfElementLocated(By.name(seleniumAction.getObject()))); // Remplacer par le sélecteur adapté + + // Vérifie que l'élément est bien visible (isDisplayed) + if (!element.isDisplayed()) { + setFailureResponse(seleniumResponse, driver, startTime, "L'élément " + seleniumAction.getObject() + " est présent mais non visible à l'écran."); + return seleniumResponse; + } + + } catch (NoSuchElementException | TimeoutException e) { + // Définir une réponse d'échec si l'élément est introuvable ou invisible dans le délai imparti + setFailureResponse(seleniumResponse, driver, startTime, "L'élément " + seleniumAction.getObject() + " est introuvable ou invisible après le délai imparti."); + return seleniumResponse; + } + break; + + case 8: // VerifyText + WebElement element = driver.findElement(By.id(seleniumAction.getObject())); + String actualText = element.getText().trim(); // Trim pour éviter les espaces en trop + System.out.println("Texte capturé : " + actualText); // Affiche le texte dans la console + if (!actualText.equals(seleniumAction.getTarget().trim())) { // Comparaison avec trim + setFailureResponse(seleniumResponse, driver, startTime, "Text of " + seleniumAction.getObject() + " is '" + actualText + "' instead of '" + seleniumAction.getTarget() + "'"); + return seleniumResponse; + } + break; + + case 9: // SelectDropdown + WebElement dropdown = driver.findElement(By.id(seleniumAction.getObject())); + Select select = new Select(dropdown); + select.selectByVisibleText(seleniumAction.getInput()); // sélection par le texte visible + break; + case 10: // HoverOver + WebDriverWait wait = new WebDriverWait(driver, Duration.ofSeconds(10)); + WebElement hoverElement = wait.until(ExpectedConditions.visibilityOfElementLocated(By.xpath(seleniumAction.getObject()))); + Actions actions = new Actions(driver); + actions.moveToElement(hoverElement).perform(); + // Attendre un peu pour observer le résultat + Thread.sleep(2000); + break; + case 11: // ToggleCheckbox + WebElement checkbox = driver.findElement(By.xpath(seleniumAction.getObject())); + boolean isChecked = checkbox.isSelected(); + if ((seleniumAction.getInput().equalsIgnoreCase("true") && !isChecked) || + (seleniumAction.getInput().equalsIgnoreCase("false") && isChecked)) { + checkbox.click(); // Coche ou décoche en fonction de la valeur dans input + } + break; + + case 12: // SelectRadio avec JavaScript pour le clic + try { + WebElement radioButton = driver.findElement(By.id(seleniumAction.getObject())); + + // Vérifie si le bouton radio est activé avant de tenter de cliquer + if (!radioButton.isEnabled()) { + setFailureResponse(seleniumResponse, driver, startTime, "L'élément radio " + seleniumAction.getObject() + " est désactivé et ne peut pas être sélectionné."); + return seleniumResponse; + } + + ((JavascriptExecutor) driver).executeScript("arguments[0].click();", radioButton); + } catch (NoSuchElementException e) { + setFailureResponse(seleniumResponse, driver, startTime, "L'élément radio " + seleniumAction.getObject() + " est introuvable."); + return seleniumResponse; + } + break; + + + case 13: // File Upload + try { + WebElement fileInput = driver.findElement(By.name(seleniumAction.getObject())); + fileInput.sendKeys(seleniumAction.getInput()); // Chemin du fichier à télécharger + } catch (NoSuchElementException e) { + setFailureResponse(seleniumResponse, driver, startTime, "Le champ de téléchargement de fichier " + seleniumAction.getObject() + " est introuvable."); + return seleniumResponse; + } + break; + + case 14: // JavaScript Alert Handling + try { + Alert alert = driver.switchTo().alert(); + + // Vérification de l'action à effectuer sur l'alerte + if ("accept".equalsIgnoreCase(seleniumAction.getInput())) { + alert.accept(); // Accepter l'alerte + seleniumResponse.setOutput("Alerte acceptée avec succès."); + } else if ("dismiss".equalsIgnoreCase(seleniumAction.getInput())) { + alert.dismiss(); // Refuser l'alerte + seleniumResponse.setOutput("Alerte refusée avec succès."); + } else { + setFailureResponse(seleniumResponse, driver, startTime, "Action d'alerte non reconnue : " + seleniumAction.getInput()); + return seleniumResponse; + } + + seleniumResponse.setSuccess(true); // Marquer l'action comme réussie + } catch (NoAlertPresentException e) { + setFailureResponse(seleniumResponse, driver, startTime, "Aucune alerte JavaScript présente pour " + seleniumAction.getObject()); + } catch (Exception e) { + setFailureResponse(seleniumResponse, driver, startTime, "Erreur inattendue lors de la gestion de l'alerte : " + e.getMessage()); + } + break; + + case 15: // Input + try { + WebElement inputField = driver.findElement(By.cssSelector(seleniumAction.getObject())); + inputField.clear(); + inputField.sendKeys(seleniumAction.getInput()); // Texte à insérer + } catch (NoSuchElementException e) { + setFailureResponse(seleniumResponse, driver, startTime, "Le champ de saisie " + seleniumAction.getObject() + " est introuvable."); + return seleniumResponse; + } + break; + + case 16: // Redirect Link + try { + // Obtenir l'URL actuelle avant le clic + String currentUrl = driver.getCurrentUrl(); + + // Cliquer sur l'élément de redirection + WebElement link = driver.findElement(By.id(seleniumAction.getObject())); + link.click(); + + // Vérifier immédiatement si l'URL a changé + String newUrl = driver.getCurrentUrl(); + + if (newUrl.equals(currentUrl)) { + setFailureResponse(seleniumResponse, driver, startTime, "La redirection n'a pas eu lieu."); + return seleniumResponse; + } + } catch (NoSuchElementException e) { + setFailureResponse(seleniumResponse, driver, startTime, "L'élément de redirection est introuvable."); + return seleniumResponse; + } + break; + + + + + default: + System.out.println("Unsupported action type id: " + seleniumAction.getAction_type_id()); + break; + } + } + + driver.quit(); + seleniumResponse.setDuration(System.currentTimeMillis() - startTime); + seleniumResponse.setSuccess(true); + + } catch (Exception e) { + setFailureResponse(seleniumResponse, driver, startTime, e.getMessage()); + } + + return seleniumResponse; + } + + private void setFailureResponse(SeleniumResponse seleniumResponse, WebDriver driver, long startTime, String message) { + driver.quit(); + seleniumResponse.setSuccess(false); + seleniumResponse.setOutput(message); + seleniumResponse.setDuration(System.currentTimeMillis() - startTime); + } +} diff --git a/selenium/src/main/java/ca/etsmtl/selenium/requests/payload/request/SeleniumAction.java b/backend/src/main/java/ca/etsmtl/taf/selenium/payload/requests/SeleniumAction.java similarity index 78% rename from selenium/src/main/java/ca/etsmtl/selenium/requests/payload/request/SeleniumAction.java rename to backend/src/main/java/ca/etsmtl/taf/selenium/payload/requests/SeleniumAction.java index a1ac4ff..732a16e 100644 --- a/selenium/src/main/java/ca/etsmtl/selenium/requests/payload/request/SeleniumAction.java +++ b/backend/src/main/java/ca/etsmtl/taf/selenium/payload/requests/SeleniumAction.java @@ -1,4 +1,4 @@ -package ca.etsmtl.selenium.requests.payload.request; +package ca.etsmtl.taf.selenium.payload.requests; import lombok.Data; @@ -11,3 +11,4 @@ public class SeleniumAction { String input; String target; } + diff --git a/selenium/src/main/java/ca/etsmtl/selenium/requests/payload/request/SeleniumCase.java b/backend/src/main/java/ca/etsmtl/taf/selenium/payload/requests/SeleniumCase.java similarity index 76% rename from selenium/src/main/java/ca/etsmtl/selenium/requests/payload/request/SeleniumCase.java rename to backend/src/main/java/ca/etsmtl/taf/selenium/payload/requests/SeleniumCase.java index aca1b9b..f483d17 100644 --- a/selenium/src/main/java/ca/etsmtl/selenium/requests/payload/request/SeleniumCase.java +++ b/backend/src/main/java/ca/etsmtl/taf/selenium/payload/requests/SeleniumCase.java @@ -1,5 +1,4 @@ -package ca.etsmtl.selenium.requests.payload.request; - +package ca.etsmtl.taf.selenium.payload.requests; import java.util.List; import lombok.Data; diff --git a/selenium/src/main/java/ca/etsmtl/selenium/requests/payload/request/SeleniumResponse.java b/backend/src/main/java/ca/etsmtl/taf/selenium/payload/requests/SeleniumResponse.java similarity index 86% rename from selenium/src/main/java/ca/etsmtl/selenium/requests/payload/request/SeleniumResponse.java rename to backend/src/main/java/ca/etsmtl/taf/selenium/payload/requests/SeleniumResponse.java index 385bdec..6192547 100644 --- a/selenium/src/main/java/ca/etsmtl/selenium/requests/payload/request/SeleniumResponse.java +++ b/backend/src/main/java/ca/etsmtl/taf/selenium/payload/requests/SeleniumResponse.java @@ -1,4 +1,4 @@ -package ca.etsmtl.selenium.requests.payload.request; +package ca.etsmtl.taf.selenium.payload.requests; import java.io.Serializable; import java.util.List; diff --git a/backend/src/main/java/ca/etsmtl/taf/service/SeleniumService.java b/backend/src/main/java/ca/etsmtl/taf/service/SeleniumService.java deleted file mode 100644 index a2d4cfc..0000000 --- a/backend/src/main/java/ca/etsmtl/taf/service/SeleniumService.java +++ /dev/null @@ -1,31 +0,0 @@ -package ca.etsmtl.taf.service; - -import ca.etsmtl.taf.apiCommunication.SeleniumServiceRequester; -import ca.etsmtl.taf.dto.SeleniumCaseDto; -import ca.etsmtl.taf.entity.SeleniumActionRequest; -import ca.etsmtl.taf.entity.SeleniumCaseResponse; -import org.springframework.stereotype.Service; - -import java.io.IOException; -import java.net.URISyntaxException; -import java.util.ArrayList; -import java.util.List; - -@Service -public class SeleniumService { - private final SeleniumServiceRequester seleniumServiceRequester; - - public SeleniumService(SeleniumServiceRequester seleniumServiceRequester) { - this.seleniumServiceRequester = seleniumServiceRequester; - } - - public List sendTestCases(List seleniumCases) throws URISyntaxException, IOException, InterruptedException { - List testResults = new ArrayList<>(); - for(SeleniumCaseDto seleniumCaseDto : seleniumCases) { - - SeleniumCaseResponse testCaseResult = seleniumServiceRequester.sendTestCase(seleniumCaseDto).block(); - testResults.add(testCaseResult); - } - return testResults; - } -} diff --git a/backend/src/main/resources/application.properties b/backend/src/main/resources/application.properties new file mode 100644 index 0000000..9a67a4c --- /dev/null +++ b/backend/src/main/resources/application.properties @@ -0,0 +1,2 @@ +taf.selenium_container_url=http://localhost +taf.selenium_container_port=8090 diff --git a/backend/src/main/resources/application.yml b/backend/src/main/resources/application.yml index 15eef96..ab11e65 100644 --- a/backend/src/main/resources/application.yml +++ b/backend/src/main/resources/application.yml @@ -4,6 +4,9 @@ spring: url: jdbc:mysql://nostrasoft.com:3306/nostr321_taf-db username: nostr321_taf password: JKaVLX75iHwtrHc + security: + enabled: false + jpa: defer-datasource-initialization: true hibernate: @@ -25,8 +28,23 @@ taf: jwtExpirationMs: 86400000 testAPI_url: http://localhost testAPI_port: 8082 - selenium_container_url: http://selenium + #selenium_container_url: http://10.0.0.29 # URL correcte pour Selenium + #selenium_container_port: 4444 # Port utilisé par Selenium Grid + selenium_container_url: http://localhost selenium_container_port: 8090 + +logging: + level: + #root: DEBUG + #org.springframework: DEBUG + #org.springframework.web: DEBUG + org.springframework.web.client.RestTemplate: DEBUG + org.springframework.web.reactive.function.client.WebClient: DEBUG + +server.error.whitelabel.enabled: false + + + server: - port: 8083 \ No newline at end of file + port: 8083 diff --git a/selenium/src/main/resources/chromedriver b/backend/src/main/resources/chromedriver old mode 100644 new mode 100755 similarity index 61% rename from selenium/src/main/resources/chromedriver rename to backend/src/main/resources/chromedriver index 8da9ce4..ed2ad99 Binary files a/selenium/src/main/resources/chromedriver and b/backend/src/main/resources/chromedriver differ diff --git a/frontend/src/app/selenium/test-selenium.component.html b/frontend/src/app/selenium/test-selenium.component.html index 5b08d54..d3797ab 100644 --- a/frontend/src/app/selenium/test-selenium.component.html +++ b/frontend/src/app/selenium/test-selenium.component.html @@ -67,6 +67,16 @@ + + + + + + + + + + diff --git a/frontend/src/app/selenium/test-selenium.component.ts b/frontend/src/app/selenium/test-selenium.component.ts index b51379e..add677e 100644 --- a/frontend/src/app/selenium/test-selenium.component.ts +++ b/frontend/src/app/selenium/test-selenium.component.ts @@ -7,64 +7,68 @@ import { HttpClient } from '@angular/common/http'; styleUrls: ['./test-selenium.component.css'] }) export class TestSeleniumComponent { - constructor(private http: HttpClient,private renderer: Renderer2, private el: ElementRef) { } + constructor(private http: HttpClient, private renderer: Renderer2, private el: ElementRef) { } testResult: any; - counterAction: number=1; - counterCase: number=0; - cases : { + counterAction: number = 1; + counterCase: number = 0; + cases: { case_id: number; caseName: string; actions: { action_id: number; - action_type_id:number; + action_type_id: number; action_type_name: string; object: string; input: string; target: string; - }[] ; + }[]; }[] = []; - percentage=0; + percentage = 0; runMethod(cases: any) { - let counterTrue=0; - const API_URL = 'http://localhost:8080/api/testselenium'; + let counterTrue = 0; + const API_URL = 'http://localhost:8083/api/testselenium'; this.showResultModal(); this.showSpinner(); this.http.post(API_URL, cases).subscribe( - (response) => { - console.log('tested successfully:', response); - this.testResult=response; - // for calculate the percentage of the success cases - for(let result of this.testResult){ - if(result.success){ - counterTrue++; + (response) => { + console.log('tested successfully:', response); + this.testResult = response; + // Calculer le pourcentage de succès + for (let result of this.testResult) { + if (result.success) { + counterTrue++; + } } + this.percentage = (counterTrue / this.testResult.length) * 100; + this.hideSpinner(); + }, + (error) => { + console.error('Error test:', error); } - this.percentage=(counterTrue / this.testResult.length) * 100; - this.hideSpinner(); - }, - (error) => { - console.error('Error test:', error); - } ); } + showResultModal(): void { const resultModal = this.el.nativeElement.querySelector('#modelResult'); this.renderer.removeClass(resultModal, 'hideIt'); } + hideResultModal(): void { const resultModal = this.el.nativeElement.querySelector('#modelResult'); this.renderer.addClass(resultModal, 'hideIt'); } - showSpinner():void { + + showSpinner(): void { const resultModal = this.el.nativeElement.querySelector('#spinner'); this.renderer.removeClass(resultModal, 'hideIt'); } - hideSpinner():void { + + hideSpinner(): void { const resultModal = this.el.nativeElement.querySelector('#spinner'); this.renderer.addClass(resultModal, 'hideIt'); } - // for enable and disable inputs needed in actions form + actionChose(): void { const action = (document.getElementById('action') as HTMLSelectElement).value; const object = document.getElementById('object') as HTMLInputElement; @@ -75,75 +79,72 @@ export class TestSeleniumComponent { input.disabled = true; target.disabled = true; - if (action === "1" || action === "2" || action === "3") { + // Configuration des champs en fonction de l'action sélectionnée + if (['1', '2', '3', '9', '11', '13', '14', '15', '16'].includes(action)) { input.disabled = false; } - - if (action === "3" || action === "4") { + if (['3', '4', '8'].includes(action)) { target.disabled = false; } - - if (action === "5" || action === "6" || action === "7" || action === "2" || action === "3") { + if (['5', '6', '7', '2', '3', '8', '9', '10', '11', '12', '13', '15', '16'].includes(action)) { object.disabled = false; } } - //add new case - submitCase(){ + + submitCase() { this.counterCase++; let caseName = (document.getElementById('caseName') as HTMLSelectElement).value; this.addCase({ case_id: this.counterCase, caseName: caseName, actions: [] }); (document.getElementById('caseName') as HTMLInputElement).value = ''; (document.getElementById('close2') as HTMLButtonElement).click(); - this.counterAction=1; + this.counterAction = 1; const addActionButton = document.getElementById('addActionButton') as HTMLInputElement; addActionButton.disabled = false; } - public getCase(id: number) { return this.cases.find(obj => obj.case_id === id); } + deleteCase(id: number) { this.cases = this.cases.filter(item => item.case_id !== id); } - public addCase(obj: { case_id: number, caseName: string, actions: {action_id: number,action_type_id:number,action_type_name: string, object: string, input: string, target: string }[] }) { + public addCase(obj: { case_id: number, caseName: string, actions: { action_id: number, action_type_id: number, action_type_name: string, object: string, input: string, target: string }[] }) { this.cases.push(obj); } - // add new action - submitAction(){ + submitAction() { let action_id = parseInt((document.getElementById('action') as HTMLSelectElement).value); let action2 = (document.getElementById('action') as HTMLSelectElement); let action = action2.options[action2.selectedIndex].text; let object = (document.getElementById('object') as HTMLInputElement).value; let input = (document.getElementById('input') as HTMLInputElement).value; let target = (document.getElementById('target') as HTMLInputElement).value; - this.addAction({ action_id: this.counterAction,action_type_id: action_id, action_type_name: action, object: object, input: input, target: target, }); + this.addAction({ action_id: this.counterAction, action_type_id: action_id, action_type_name: action, object: object, input: input, target: target }); console.log(this.getAction(this.counterAction)); this.counterAction++; - // Clear the input fields + // Effacer les champs de saisie (document.getElementById('object') as HTMLInputElement).value = ''; (document.getElementById('input') as HTMLInputElement).value = ''; (document.getElementById('target') as HTMLInputElement).value = ''; (document.getElementById('close') as HTMLButtonElement).click(); } - public addAction(obj: { action_id: number,action_type_id:number,action_type_name: string, object: string,input: string,target: string }) { + + public addAction(obj: { action_id: number, action_type_id: number, action_type_name: string, object: string, input: string, target: string }) { this.getCase(this.counterCase)?.actions.push(obj); } public getAction(id: number) { return this.getCase(this.counterCase)?.actions.find(obj => obj.action_id === id); } - deleteAction(caseId: number,actionId:number) { + + deleteAction(caseId: number, actionId: number) { const currentCase = this.getCase(caseId); if (currentCase && currentCase.actions) { currentCase.actions = currentCase.actions.filter(item => item.action_id !== actionId); } } - - - } diff --git a/pom.xml b/pom.xml index 7135164..b2b95c2 100644 --- a/pom.xml +++ b/pom.xml @@ -23,5 +23,6 @@ backend gatling + \ No newline at end of file diff --git a/selenium/.gitignore b/selenium/.gitignore deleted file mode 100644 index 549e00a..0000000 --- a/selenium/.gitignore +++ /dev/null @@ -1,33 +0,0 @@ -HELP.md -target/ -!.mvn/wrapper/maven-wrapper.jar -!**/src/main/**/target/ -!**/src/test/**/target/ - -### STS ### -.apt_generated -.classpath -.factorypath -.project -.settings -.springBeans -.sts4-cache - -### IntelliJ IDEA ### -.idea -*.iws -*.iml -*.ipr - -### NetBeans ### -/nbproject/private/ -/nbbuild/ -/dist/ -/nbdist/ -/.nb-gradle/ -build/ -!**/src/main/**/build/ -!**/src/test/**/build/ - -### VS Code ### -.vscode/ diff --git a/selenium/.mvn/wrapper/maven-wrapper.jar b/selenium/.mvn/wrapper/maven-wrapper.jar deleted file mode 100644 index bf82ff0..0000000 Binary files a/selenium/.mvn/wrapper/maven-wrapper.jar and /dev/null differ diff --git a/selenium/.mvn/wrapper/maven-wrapper.properties b/selenium/.mvn/wrapper/maven-wrapper.properties deleted file mode 100644 index ca5ab4b..0000000 --- a/selenium/.mvn/wrapper/maven-wrapper.properties +++ /dev/null @@ -1,18 +0,0 @@ -# Licensed to the Apache Software Foundation (ASF) under one -# or more contributor license agreements. See the NOTICE file -# distributed with this work for additional information -# regarding copyright ownership. The ASF licenses this file -# to you under the Apache License, Version 2.0 (the -# "License"); you may not use this file except in compliance -# with the License. You may obtain a copy of the License at -# -# https://www.apache.org/licenses/LICENSE-2.0 -# -# Unless required by applicable law or agreed to in writing, -# software distributed under the License is distributed on an -# "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY -# KIND, either express or implied. See the License for the -# specific language governing permissions and limitations -# under the License. -distributionUrl=https://repo.maven.apache.org/maven2/org/apache/maven/apache-maven/3.8.7/apache-maven-3.8.7-bin.zip -wrapperUrl=https://repo.maven.apache.org/maven2/org/apache/maven/wrapper/maven-wrapper/3.1.1/maven-wrapper-3.1.1.jar diff --git a/selenium/Dockerfile b/selenium/Dockerfile deleted file mode 100644 index 7cea648..0000000 --- a/selenium/Dockerfile +++ /dev/null @@ -1,16 +0,0 @@ -FROM maven:3.8.6-eclipse-temurin-11 as builder - -RUN apt-get update -# RUN apt-get install -y gconf-service libasound2 libatk1.0-0 libcairo2 libcups2 libfontconfig1 libgdk-pixbuf2.0-0 libgtk-3-0 libnspr4 libpango-1.0-0 libxss1 fonts-liberation libappindicator1 libnss3 lsb-release xdg-utils - -RUN apt-get install -y wget -RUN wget -q https://dl.google.com/linux/chrome/deb/pool/main/g/google-chrome-stable/google-chrome-stable_114.0.5735.198-1_amd64.deb -RUN apt-get install -y ./google-chrome-stable_114.0.5735.198-1_amd64.deb - -WORKDIR / -COPY pom.xml . -COPY selenium ./selenium -WORKDIR /selenium -RUN mvn clean install -EXPOSE 8090 -ENTRYPOINT ["mvn", "spring-boot:run" ] diff --git a/selenium/mvnw b/selenium/mvnw deleted file mode 100644 index 8a8fb22..0000000 --- a/selenium/mvnw +++ /dev/null @@ -1,316 +0,0 @@ -#!/bin/sh -# ---------------------------------------------------------------------------- -# Licensed to the Apache Software Foundation (ASF) under one -# or more contributor license agreements. See the NOTICE file -# distributed with this work for additional information -# regarding copyright ownership. The ASF licenses this file -# to you under the Apache License, Version 2.0 (the -# "License"); you may not use this file except in compliance -# with the License. You may obtain a copy of the License at -# -# https://www.apache.org/licenses/LICENSE-2.0 -# -# Unless required by applicable law or agreed to in writing, -# software distributed under the License is distributed on an -# "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY -# KIND, either express or implied. See the License for the -# specific language governing permissions and limitations -# under the License. -# ---------------------------------------------------------------------------- - -# ---------------------------------------------------------------------------- -# Maven Start Up Batch script -# -# Required ENV vars: -# ------------------ -# JAVA_HOME - location of a JDK home dir -# -# Optional ENV vars -# ----------------- -# M2_HOME - location of maven2's installed home dir -# MAVEN_OPTS - parameters passed to the Java VM when running Maven -# e.g. to debug Maven itself, use -# set MAVEN_OPTS=-Xdebug -Xrunjdwp:transport=dt_socket,server=y,suspend=y,address=8000 -# MAVEN_SKIP_RC - flag to disable loading of mavenrc files -# ---------------------------------------------------------------------------- - -if [ -z "$MAVEN_SKIP_RC" ] ; then - - if [ -f /usr/local/etc/mavenrc ] ; then - . /usr/local/etc/mavenrc - fi - - if [ -f /etc/mavenrc ] ; then - . /etc/mavenrc - fi - - if [ -f "$HOME/.mavenrc" ] ; then - . "$HOME/.mavenrc" - fi - -fi - -# OS specific support. $var _must_ be set to either true or false. -cygwin=false; -darwin=false; -mingw=false -case "`uname`" in - CYGWIN*) cygwin=true ;; - MINGW*) mingw=true;; - Darwin*) darwin=true - # Use /usr/libexec/java_home if available, otherwise fall back to /Library/Java/Home - # See https://developer.apple.com/library/mac/qa/qa1170/_index.html - if [ -z "$JAVA_HOME" ]; then - if [ -x "/usr/libexec/java_home" ]; then - export JAVA_HOME="`/usr/libexec/java_home`" - else - export JAVA_HOME="/Library/Java/Home" - fi - fi - ;; -esac - -if [ -z "$JAVA_HOME" ] ; then - if [ -r /etc/gentoo-release ] ; then - JAVA_HOME=`java-config --jre-home` - fi -fi - -if [ -z "$M2_HOME" ] ; then - ## resolve links - $0 may be a link to maven's home - PRG="$0" - - # need this for relative symlinks - while [ -h "$PRG" ] ; do - ls=`ls -ld "$PRG"` - link=`expr "$ls" : '.*-> \(.*\)$'` - if expr "$link" : '/.*' > /dev/null; then - PRG="$link" - else - PRG="`dirname "$PRG"`/$link" - fi - done - - saveddir=`pwd` - - M2_HOME=`dirname "$PRG"`/.. - - # make it fully qualified - M2_HOME=`cd "$M2_HOME" && pwd` - - cd "$saveddir" - # echo Using m2 at $M2_HOME -fi - -# For Cygwin, ensure paths are in UNIX format before anything is touched -if $cygwin ; then - [ -n "$M2_HOME" ] && - M2_HOME=`cygpath --unix "$M2_HOME"` - [ -n "$JAVA_HOME" ] && - JAVA_HOME=`cygpath --unix "$JAVA_HOME"` - [ -n "$CLASSPATH" ] && - CLASSPATH=`cygpath --path --unix "$CLASSPATH"` -fi - -# For Mingw, ensure paths are in UNIX format before anything is touched -if $mingw ; then - [ -n "$M2_HOME" ] && - M2_HOME="`(cd "$M2_HOME"; pwd)`" - [ -n "$JAVA_HOME" ] && - JAVA_HOME="`(cd "$JAVA_HOME"; pwd)`" -fi - -if [ -z "$JAVA_HOME" ]; then - javaExecutable="`which javac`" - if [ -n "$javaExecutable" ] && ! [ "`expr \"$javaExecutable\" : '\([^ ]*\)'`" = "no" ]; then - # readlink(1) is not available as standard on Solaris 10. - readLink=`which readlink` - if [ ! `expr "$readLink" : '\([^ ]*\)'` = "no" ]; then - if $darwin ; then - javaHome="`dirname \"$javaExecutable\"`" - javaExecutable="`cd \"$javaHome\" && pwd -P`/javac" - else - javaExecutable="`readlink -f \"$javaExecutable\"`" - fi - javaHome="`dirname \"$javaExecutable\"`" - javaHome=`expr "$javaHome" : '\(.*\)/bin'` - JAVA_HOME="$javaHome" - export JAVA_HOME - fi - fi -fi - -if [ -z "$JAVACMD" ] ; then - if [ -n "$JAVA_HOME" ] ; then - if [ -x "$JAVA_HOME/jre/sh/java" ] ; then - # IBM's JDK on AIX uses strange locations for the executables - JAVACMD="$JAVA_HOME/jre/sh/java" - else - JAVACMD="$JAVA_HOME/bin/java" - fi - else - JAVACMD="`\\unset -f command; \\command -v java`" - fi -fi - -if [ ! -x "$JAVACMD" ] ; then - echo "Error: JAVA_HOME is not defined correctly." >&2 - echo " We cannot execute $JAVACMD" >&2 - exit 1 -fi - -if [ -z "$JAVA_HOME" ] ; then - echo "Warning: JAVA_HOME environment variable is not set." -fi - -CLASSWORLDS_LAUNCHER=org.codehaus.plexus.classworlds.launcher.Launcher - -# traverses directory structure from process work directory to filesystem root -# first directory with .mvn subdirectory is considered project base directory -find_maven_basedir() { - - if [ -z "$1" ] - then - echo "Path not specified to find_maven_basedir" - return 1 - fi - - basedir="$1" - wdir="$1" - while [ "$wdir" != '/' ] ; do - if [ -d "$wdir"/.mvn ] ; then - basedir=$wdir - break - fi - # workaround for JBEAP-8937 (on Solaris 10/Sparc) - if [ -d "${wdir}" ]; then - wdir=`cd "$wdir/.."; pwd` - fi - # end of workaround - done - echo "${basedir}" -} - -# concatenates all lines of a file -concat_lines() { - if [ -f "$1" ]; then - echo "$(tr -s '\n' ' ' < "$1")" - fi -} - -BASE_DIR=`find_maven_basedir "$(pwd)"` -if [ -z "$BASE_DIR" ]; then - exit 1; -fi - -########################################################################################## -# Extension to allow automatically downloading the maven-wrapper.jar from Maven-central -# This allows using the maven wrapper in projects that prohibit checking in binary data. -########################################################################################## -if [ -r "$BASE_DIR/.mvn/wrapper/maven-wrapper.jar" ]; then - if [ "$MVNW_VERBOSE" = true ]; then - echo "Found .mvn/wrapper/maven-wrapper.jar" - fi -else - if [ "$MVNW_VERBOSE" = true ]; then - echo "Couldn't find .mvn/wrapper/maven-wrapper.jar, downloading it ..." - fi - if [ -n "$MVNW_REPOURL" ]; then - jarUrl="$MVNW_REPOURL/org/apache/maven/wrapper/maven-wrapper/3.1.0/maven-wrapper-3.1.0.jar" - else - jarUrl="https://repo.maven.apache.org/maven2/org/apache/maven/wrapper/maven-wrapper/3.1.0/maven-wrapper-3.1.0.jar" - fi - while IFS="=" read key value; do - case "$key" in (wrapperUrl) jarUrl="$value"; break ;; - esac - done < "$BASE_DIR/.mvn/wrapper/maven-wrapper.properties" - if [ "$MVNW_VERBOSE" = true ]; then - echo "Downloading from: $jarUrl" - fi - wrapperJarPath="$BASE_DIR/.mvn/wrapper/maven-wrapper.jar" - if $cygwin; then - wrapperJarPath=`cygpath --path --windows "$wrapperJarPath"` - fi - - if command -v wget > /dev/null; then - if [ "$MVNW_VERBOSE" = true ]; then - echo "Found wget ... using wget" - fi - if [ -z "$MVNW_USERNAME" ] || [ -z "$MVNW_PASSWORD" ]; then - wget "$jarUrl" -O "$wrapperJarPath" || rm -f "$wrapperJarPath" - else - wget --http-user=$MVNW_USERNAME --http-password=$MVNW_PASSWORD "$jarUrl" -O "$wrapperJarPath" || rm -f "$wrapperJarPath" - fi - elif command -v curl > /dev/null; then - if [ "$MVNW_VERBOSE" = true ]; then - echo "Found curl ... using curl" - fi - if [ -z "$MVNW_USERNAME" ] || [ -z "$MVNW_PASSWORD" ]; then - curl -o "$wrapperJarPath" "$jarUrl" -f - else - curl --user $MVNW_USERNAME:$MVNW_PASSWORD -o "$wrapperJarPath" "$jarUrl" -f - fi - - else - if [ "$MVNW_VERBOSE" = true ]; then - echo "Falling back to using Java to download" - fi - javaClass="$BASE_DIR/.mvn/wrapper/MavenWrapperDownloader.java" - # For Cygwin, switch paths to Windows format before running javac - if $cygwin; then - javaClass=`cygpath --path --windows "$javaClass"` - fi - if [ -e "$javaClass" ]; then - if [ ! -e "$BASE_DIR/.mvn/wrapper/MavenWrapperDownloader.class" ]; then - if [ "$MVNW_VERBOSE" = true ]; then - echo " - Compiling MavenWrapperDownloader.java ..." - fi - # Compiling the Java class - ("$JAVA_HOME/bin/javac" "$javaClass") - fi - if [ -e "$BASE_DIR/.mvn/wrapper/MavenWrapperDownloader.class" ]; then - # Running the downloader - if [ "$MVNW_VERBOSE" = true ]; then - echo " - Running MavenWrapperDownloader.java ..." - fi - ("$JAVA_HOME/bin/java" -cp .mvn/wrapper MavenWrapperDownloader "$MAVEN_PROJECTBASEDIR") - fi - fi - fi -fi -########################################################################################## -# End of extension -########################################################################################## - -export MAVEN_PROJECTBASEDIR=${MAVEN_BASEDIR:-"$BASE_DIR"} -if [ "$MVNW_VERBOSE" = true ]; then - echo $MAVEN_PROJECTBASEDIR -fi -MAVEN_OPTS="$(concat_lines "$MAVEN_PROJECTBASEDIR/.mvn/jvm.config") $MAVEN_OPTS" - -# For Cygwin, switch paths to Windows format before running java -if $cygwin; then - [ -n "$M2_HOME" ] && - M2_HOME=`cygpath --path --windows "$M2_HOME"` - [ -n "$JAVA_HOME" ] && - JAVA_HOME=`cygpath --path --windows "$JAVA_HOME"` - [ -n "$CLASSPATH" ] && - CLASSPATH=`cygpath --path --windows "$CLASSPATH"` - [ -n "$MAVEN_PROJECTBASEDIR" ] && - MAVEN_PROJECTBASEDIR=`cygpath --path --windows "$MAVEN_PROJECTBASEDIR"` -fi - -# Provide a "standardized" way to retrieve the CLI args that will -# work with both Windows and non-Windows executions. -MAVEN_CMD_LINE_ARGS="$MAVEN_CONFIG $@" -export MAVEN_CMD_LINE_ARGS - -WRAPPER_LAUNCHER=org.apache.maven.wrapper.MavenWrapperMain - -exec "$JAVACMD" \ - $MAVEN_OPTS \ - $MAVEN_DEBUG_OPTS \ - -classpath "$MAVEN_PROJECTBASEDIR/.mvn/wrapper/maven-wrapper.jar" \ - "-Dmaven.home=${M2_HOME}" \ - "-Dmaven.multiModuleProjectDirectory=${MAVEN_PROJECTBASEDIR}" \ - ${WRAPPER_LAUNCHER} $MAVEN_CONFIG "$@" diff --git a/selenium/mvnw.cmd b/selenium/mvnw.cmd deleted file mode 100644 index 1d8ab01..0000000 --- a/selenium/mvnw.cmd +++ /dev/null @@ -1,188 +0,0 @@ -@REM ---------------------------------------------------------------------------- -@REM Licensed to the Apache Software Foundation (ASF) under one -@REM or more contributor license agreements. See the NOTICE file -@REM distributed with this work for additional information -@REM regarding copyright ownership. The ASF licenses this file -@REM to you under the Apache License, Version 2.0 (the -@REM "License"); you may not use this file except in compliance -@REM with the License. You may obtain a copy of the License at -@REM -@REM https://www.apache.org/licenses/LICENSE-2.0 -@REM -@REM Unless required by applicable law or agreed to in writing, -@REM software distributed under the License is distributed on an -@REM "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY -@REM KIND, either express or implied. See the License for the -@REM specific language governing permissions and limitations -@REM under the License. -@REM ---------------------------------------------------------------------------- - -@REM ---------------------------------------------------------------------------- -@REM Maven Start Up Batch script -@REM -@REM Required ENV vars: -@REM JAVA_HOME - location of a JDK home dir -@REM -@REM Optional ENV vars -@REM M2_HOME - location of maven2's installed home dir -@REM MAVEN_BATCH_ECHO - set to 'on' to enable the echoing of the batch commands -@REM MAVEN_BATCH_PAUSE - set to 'on' to wait for a keystroke before ending -@REM MAVEN_OPTS - parameters passed to the Java VM when running Maven -@REM e.g. to debug Maven itself, use -@REM set MAVEN_OPTS=-Xdebug -Xrunjdwp:transport=dt_socket,server=y,suspend=y,address=8000 -@REM MAVEN_SKIP_RC - flag to disable loading of mavenrc files -@REM ---------------------------------------------------------------------------- - -@REM Begin all REM lines with '@' in case MAVEN_BATCH_ECHO is 'on' -@echo off -@REM set title of command window -title %0 -@REM enable echoing by setting MAVEN_BATCH_ECHO to 'on' -@if "%MAVEN_BATCH_ECHO%" == "on" echo %MAVEN_BATCH_ECHO% - -@REM set %HOME% to equivalent of $HOME -if "%HOME%" == "" (set "HOME=%HOMEDRIVE%%HOMEPATH%") - -@REM Execute a user defined script before this one -if not "%MAVEN_SKIP_RC%" == "" goto skipRcPre -@REM check for pre script, once with legacy .bat ending and once with .cmd ending -if exist "%USERPROFILE%\mavenrc_pre.bat" call "%USERPROFILE%\mavenrc_pre.bat" %* -if exist "%USERPROFILE%\mavenrc_pre.cmd" call "%USERPROFILE%\mavenrc_pre.cmd" %* -:skipRcPre - -@setlocal - -set ERROR_CODE=0 - -@REM To isolate internal variables from possible post scripts, we use another setlocal -@setlocal - -@REM ==== START VALIDATION ==== -if not "%JAVA_HOME%" == "" goto OkJHome - -echo. -echo Error: JAVA_HOME not found in your environment. >&2 -echo Please set the JAVA_HOME variable in your environment to match the >&2 -echo location of your Java installation. >&2 -echo. -goto error - -:OkJHome -if exist "%JAVA_HOME%\bin\java.exe" goto init - -echo. -echo Error: JAVA_HOME is set to an invalid directory. >&2 -echo JAVA_HOME = "%JAVA_HOME%" >&2 -echo Please set the JAVA_HOME variable in your environment to match the >&2 -echo location of your Java installation. >&2 -echo. -goto error - -@REM ==== END VALIDATION ==== - -:init - -@REM Find the project base dir, i.e. the directory that contains the folder ".mvn". -@REM Fallback to current working directory if not found. - -set MAVEN_PROJECTBASEDIR=%MAVEN_BASEDIR% -IF NOT "%MAVEN_PROJECTBASEDIR%"=="" goto endDetectBaseDir - -set EXEC_DIR=%CD% -set WDIR=%EXEC_DIR% -:findBaseDir -IF EXIST "%WDIR%"\.mvn goto baseDirFound -cd .. -IF "%WDIR%"=="%CD%" goto baseDirNotFound -set WDIR=%CD% -goto findBaseDir - -:baseDirFound -set MAVEN_PROJECTBASEDIR=%WDIR% -cd "%EXEC_DIR%" -goto endDetectBaseDir - -:baseDirNotFound -set MAVEN_PROJECTBASEDIR=%EXEC_DIR% -cd "%EXEC_DIR%" - -:endDetectBaseDir - -IF NOT EXIST "%MAVEN_PROJECTBASEDIR%\.mvn\jvm.config" goto endReadAdditionalConfig - -@setlocal EnableExtensions EnableDelayedExpansion -for /F "usebackq delims=" %%a in ("%MAVEN_PROJECTBASEDIR%\.mvn\jvm.config") do set JVM_CONFIG_MAVEN_PROPS=!JVM_CONFIG_MAVEN_PROPS! %%a -@endlocal & set JVM_CONFIG_MAVEN_PROPS=%JVM_CONFIG_MAVEN_PROPS% - -:endReadAdditionalConfig - -SET MAVEN_JAVA_EXE="%JAVA_HOME%\bin\java.exe" -set WRAPPER_JAR="%MAVEN_PROJECTBASEDIR%\.mvn\wrapper\maven-wrapper.jar" -set WRAPPER_LAUNCHER=org.apache.maven.wrapper.MavenWrapperMain - -set DOWNLOAD_URL="https://repo.maven.apache.org/maven2/org/apache/maven/wrapper/maven-wrapper/3.1.0/maven-wrapper-3.1.0.jar" - -FOR /F "usebackq tokens=1,2 delims==" %%A IN ("%MAVEN_PROJECTBASEDIR%\.mvn\wrapper\maven-wrapper.properties") DO ( - IF "%%A"=="wrapperUrl" SET DOWNLOAD_URL=%%B -) - -@REM Extension to allow automatically downloading the maven-wrapper.jar from Maven-central -@REM This allows using the maven wrapper in projects that prohibit checking in binary data. -if exist %WRAPPER_JAR% ( - if "%MVNW_VERBOSE%" == "true" ( - echo Found %WRAPPER_JAR% - ) -) else ( - if not "%MVNW_REPOURL%" == "" ( - SET DOWNLOAD_URL="%MVNW_REPOURL%/org/apache/maven/wrapper/maven-wrapper/3.1.0/maven-wrapper-3.1.0.jar" - ) - if "%MVNW_VERBOSE%" == "true" ( - echo Couldn't find %WRAPPER_JAR%, downloading it ... - echo Downloading from: %DOWNLOAD_URL% - ) - - powershell -Command "&{"^ - "$webclient = new-object System.Net.WebClient;"^ - "if (-not ([string]::IsNullOrEmpty('%MVNW_USERNAME%') -and [string]::IsNullOrEmpty('%MVNW_PASSWORD%'))) {"^ - "$webclient.Credentials = new-object System.Net.NetworkCredential('%MVNW_USERNAME%', '%MVNW_PASSWORD%');"^ - "}"^ - "[Net.ServicePointManager]::SecurityProtocol = [Net.SecurityProtocolType]::Tls12; $webclient.DownloadFile('%DOWNLOAD_URL%', '%WRAPPER_JAR%')"^ - "}" - if "%MVNW_VERBOSE%" == "true" ( - echo Finished downloading %WRAPPER_JAR% - ) -) -@REM End of extension - -@REM Provide a "standardized" way to retrieve the CLI args that will -@REM work with both Windows and non-Windows executions. -set MAVEN_CMD_LINE_ARGS=%* - -%MAVEN_JAVA_EXE% ^ - %JVM_CONFIG_MAVEN_PROPS% ^ - %MAVEN_OPTS% ^ - %MAVEN_DEBUG_OPTS% ^ - -classpath %WRAPPER_JAR% ^ - "-Dmaven.multiModuleProjectDirectory=%MAVEN_PROJECTBASEDIR%" ^ - %WRAPPER_LAUNCHER% %MAVEN_CONFIG% %* -if ERRORLEVEL 1 goto error -goto end - -:error -set ERROR_CODE=1 - -:end -@endlocal & set ERROR_CODE=%ERROR_CODE% - -if not "%MAVEN_SKIP_RC%"=="" goto skipRcPost -@REM check for post script, once with legacy .bat ending and once with .cmd ending -if exist "%USERPROFILE%\mavenrc_post.bat" call "%USERPROFILE%\mavenrc_post.bat" -if exist "%USERPROFILE%\mavenrc_post.cmd" call "%USERPROFILE%\mavenrc_post.cmd" -:skipRcPost - -@REM pause the script if MAVEN_BATCH_PAUSE is set to 'on' -if "%MAVEN_BATCH_PAUSE%"=="on" pause - -if "%MAVEN_TERMINATE_CMD%"=="on" exit %ERROR_CODE% - -cmd /C exit /B %ERROR_CODE% diff --git a/selenium/pom.xml b/selenium/pom.xml deleted file mode 100644 index 358427a..0000000 --- a/selenium/pom.xml +++ /dev/null @@ -1,79 +0,0 @@ - - - 4.0.0 - - - ca.etsmtl - taf - 1.0.0-SNAPSHOT - - - selenium - - - 8 - 8 - UTF-8 - - ca.etsmtl.selenium.requests.SeleniumApplication - - - - - org.springframework.boot - spring-boot-starter-web - 2.7.0 - - - org.springframework.boot - spring-boot-starter-validation - 2.7.3 - - - org.springframework.boot - spring-boot-devtools - 2.7.0 - runtime - true - - - org.springframework.boot - spring-boot-starter-test - 2.7.0 - test - - - org.seleniumhq.selenium - selenium-java - 3.141.59 - - - org.projectlombok - lombok - provided - - - - - - - - org.springframework.boot - spring-boot-maven-plugin - 2.7.0 - - - org.apache.maven.plugins - maven-compiler-plugin - 3.7.0 - - 1.8 - 1.8 - UTF-8 - - - - - - diff --git a/selenium/src/main/java/ca/etsmtl/selenium/config/DevCorsConfiguration.java b/selenium/src/main/java/ca/etsmtl/selenium/config/DevCorsConfiguration.java deleted file mode 100644 index 7b8fdca..0000000 --- a/selenium/src/main/java/ca/etsmtl/selenium/config/DevCorsConfiguration.java +++ /dev/null @@ -1,16 +0,0 @@ -package org.config; - -import org.springframework.context.annotation.Configuration; -import org.springframework.context.annotation.Profile; -import org.springframework.web.servlet.config.annotation.CorsRegistry; -import org.springframework.web.servlet.config.annotation.WebMvcConfigurer; - -@Configuration -@Profile("local") -public class DevCorsConfiguration implements WebMvcConfigurer { - @Override - public void addCorsMappings(CorsRegistry registry) { - registry.addMapping("/microservice/**").allowedMethods("GET", "POST", "PUT", "PATCH", "DELETE", "OPTIONS") - .exposedHeaders("Authorization"); - } -} diff --git a/selenium/src/main/java/ca/etsmtl/selenium/requests/SeleniumApplication.java b/selenium/src/main/java/ca/etsmtl/selenium/requests/SeleniumApplication.java deleted file mode 100644 index 73d6f20..0000000 --- a/selenium/src/main/java/ca/etsmtl/selenium/requests/SeleniumApplication.java +++ /dev/null @@ -1,13 +0,0 @@ -package ca.etsmtl.selenium.requests; - -import org.springframework.boot.SpringApplication; -import org.springframework.boot.autoconfigure.SpringBootApplication; - -@SpringBootApplication -public class SeleniumApplication { - - public static void main(String[] args) { - SpringApplication.run(SeleniumApplication.class, args); - } - -} diff --git a/selenium/src/main/java/ca/etsmtl/selenium/requests/UseSelenium.java b/selenium/src/main/java/ca/etsmtl/selenium/requests/UseSelenium.java deleted file mode 100644 index 060150e..0000000 --- a/selenium/src/main/java/ca/etsmtl/selenium/requests/UseSelenium.java +++ /dev/null @@ -1,142 +0,0 @@ -package ca.etsmtl.selenium.requests; - -import org.openqa.selenium.By; -import org.openqa.selenium.WebDriver; -import org.openqa.selenium.WebElement; -import org.openqa.selenium.chrome.ChromeDriver; -import org.openqa.selenium.chrome.ChromeOptions; - -import java.time.Duration; -import java.util.concurrent.TimeUnit; -import java.util.Arrays; -import java.util.List; -import java.sql.Timestamp; - -import org.springframework.web.bind.annotation.*; - -import ca.etsmtl.selenium.requests.payload.request.*; - -@CrossOrigin(origins = "*", maxAge = 3600) -@RestController -@RequestMapping("/microservice/selenium") -public class UseSelenium { - @PostMapping("/test") - public SeleniumResponse testWithSelenium(@RequestBody SeleniumCase seleniumCase) { - List seleniumActions = seleniumCase.getActions(); - - SeleniumResponse seleniumResponse = new SeleniumResponse(); - seleniumResponse.setCase_id(seleniumCase.getCase_id()); - seleniumResponse.setCaseName(seleniumCase.getCaseName()); - seleniumResponse.setSeleniumActions(seleniumActions); - long currentTimestamp = (new Timestamp(System.currentTimeMillis())).getTime(); - seleniumResponse.setTimestamp(currentTimestamp/1000); - - try { - System.setProperty("webdriver.chrome.driver", "src/main/resources/chromedriver"); - - ChromeOptions options = new ChromeOptions(); - options.addArguments("--no-sandbox"); - options.addArguments("--headless"); - options.addArguments("--disable-dev-shm-usage"); - options.addArguments("--window-size=1920x1080"); - WebDriver driver = new ChromeDriver(options); - - long startTime = System.currentTimeMillis(); - - try { - for (SeleniumAction seleniumAction : seleniumActions) { - System.out.println("action type name : " + seleniumAction.getAction_type_name()); - - switch (seleniumAction.getAction_type_id()) { - case 1: //goToUrl - System.out.println("go to : " + seleniumAction.getInput()); - driver.get(seleniumAction.getInput()); - driver.manage().timeouts().implicitlyWait(1,TimeUnit.SECONDS); - break; - case 2: //FillField - System.out.println("fill : " + seleniumAction.getObject() + " with " + seleniumAction.getInput()); - WebElement textBox = driver.findElement(By.name(seleniumAction.getObject())); - textBox.sendKeys(seleniumAction.getInput()); - break; - case 3: //GetAttribute - WebElement webElement = driver.findElement(By.name(seleniumAction.getTarget())); - String pageAttribute = webElement.getAttribute(seleniumAction.getObject()); - if (!pageAttribute.equals(seleniumAction.getInput())) { - seleniumResponse.setSuccess(false); - seleniumResponse.setOutput("Attribute " + seleniumAction.getObject() + " of " + seleniumAction.getTarget() + " is " + pageAttribute + " instead of " + seleniumAction.getInput()); - driver.quit(); - long endTime = System.currentTimeMillis(); - long totalTime = endTime - startTime; - seleniumResponse.setDuration(totalTime); - return seleniumResponse; - } - break; - case 4: //GetPageTitle - String pageTitle = driver.getTitle(); - if (!pageTitle.equals(seleniumAction.getTarget())) { - seleniumResponse.setSuccess(false); - seleniumResponse.setOutput("Page title is " + pageTitle + " instead of " + seleniumAction.getTarget()); - driver.quit(); - long endTime = System.currentTimeMillis(); - long totalTime = endTime - startTime; - seleniumResponse.setDuration(totalTime); - return seleniumResponse; - } - break; - case 5: //Clear - WebElement textBoxToClear = driver.findElement(By.name(seleniumAction.getObject())); - textBoxToClear.clear(); - break; - case 6: //Click - WebElement submitButton = driver.findElement(By.name(seleniumAction.getObject())); - submitButton.click(); - break; - case 7: //isDisplayed - WebElement message = driver.findElement(By.name(seleniumAction.getObject())); - message.getText(); - break; - default: - System.out.println("action type id : " + seleniumAction.getAction_type_id() + " not found"); - break; - } - } - - driver.quit(); - - long endTime = System.currentTimeMillis(); - long totalTime = endTime - startTime; - seleniumResponse.setDuration(totalTime); - - seleniumResponse.setSuccess(true); - - } - - catch(Exception e) { - driver.quit(); - - long endTime = System.currentTimeMillis(); - long totalTime = endTime - startTime; - seleniumResponse.setDuration(totalTime); - - seleniumResponse.setSuccess(false); - seleniumResponse.setOutput(e.getMessage()); - return seleniumResponse; - } - - } - - catch(Exception e) { - System.out.println(e); - seleniumResponse.setSuccess(false); - seleniumResponse.setOutput(e.toString()); - return seleniumResponse; - } - - return seleniumResponse; - } - - @GetMapping("/all") - public String allAccess() { - return "Bienvenue au TAF."; - } -} diff --git a/selenium/src/main/resources/application.yml b/selenium/src/main/resources/application.yml deleted file mode 100644 index 2b98cfb..0000000 --- a/selenium/src/main/resources/application.yml +++ /dev/null @@ -1,6 +0,0 @@ -server: - port: 8090 - -logging: - level: - web: DEBUG \ No newline at end of file diff --git a/selenium/src/test/java/ca/etsmtl/selenium/SeleniumApplicationTests.java b/selenium/src/test/java/ca/etsmtl/selenium/SeleniumApplicationTests.java deleted file mode 100644 index 3c40bd9..0000000 --- a/selenium/src/test/java/ca/etsmtl/selenium/SeleniumApplicationTests.java +++ /dev/null @@ -1,9 +0,0 @@ -package ca.etsmtl.selenium; - -import org.junit.jupiter.api.Test; -import org.springframework.boot.test.context.SpringBootTest; - -@SpringBootTest -class SeleniumApplicationTests { - -}