aboutsummaryrefslogtreecommitdiff
diff options
context:
space:
mode:
-rw-r--r--backend/api/api/Controllers/DatasetController.cs18
-rw-r--r--backend/api/api/Controllers/ExperimentController.cs75
-rw-r--r--backend/api/api/Controllers/ModelController.cs10
-rw-r--r--backend/api/api/Data/UserStoreDatabaseSettings.cs1
-rw-r--r--backend/api/api/Interfaces/IUserStoreDatabaseSettings.cs1
-rw-r--r--backend/api/api/Models/ColumnInfo.cs13
-rw-r--r--backend/api/api/Models/Dataset.cs5
-rw-r--r--backend/api/api/Models/Experiment.cs23
-rw-r--r--backend/api/api/Models/Model.cs10
-rw-r--r--backend/api/api/Models/Predictor.cs1
-rw-r--r--backend/api/api/Program.cs1
-rw-r--r--backend/api/api/Services/DatasetService.cs20
-rw-r--r--backend/api/api/Services/ExperimentService.cs26
-rw-r--r--backend/api/api/Services/FileService.cs4
-rw-r--r--backend/api/api/Services/IDatasetService.cs1
-rw-r--r--backend/api/api/Services/IExperimentService.cs10
-rw-r--r--backend/api/api/Services/IFileService.cs1
-rw-r--r--backend/api/api/Services/IMlConnectionService.cs4
-rw-r--r--backend/api/api/Services/MlConnectionService.cs23
-rw-r--r--backend/api/api/Services/TempRemovalService.cs19
-rw-r--r--backend/api/api/appsettings.json25
-rw-r--r--backend/microservice/api/newmlservice.py77
-rw-r--r--frontend/src/app/Shared.ts1
-rw-r--r--frontend/src/app/_data/Dataset.ts18
-rw-r--r--frontend/src/app/_data/Experiment.ts34
-rw-r--r--frontend/src/app/_data/Model.ts46
-rw-r--r--frontend/src/app/_data/Notification.ts8
-rw-r--r--frontend/src/app/_elements/add-new-dataset/add-new-dataset.component.html14
-rw-r--r--frontend/src/app/_elements/add-new-dataset/add-new-dataset.component.ts42
-rw-r--r--frontend/src/app/_elements/annvisual/annvisual.component.ts3
-rw-r--r--frontend/src/app/_elements/dataset-load/dataset-load.component.html25
-rw-r--r--frontend/src/app/_elements/datatable/datatable.component.html50
-rw-r--r--frontend/src/app/_elements/datatable/datatable.component.ts3
-rw-r--r--frontend/src/app/_elements/loading/loading.component.css81
-rw-r--r--frontend/src/app/_elements/loading/loading.component.html11
-rw-r--r--frontend/src/app/_elements/loading/loading.component.spec.ts (renamed from frontend/src/app/_pages/add-model/add-model.component.spec.ts)12
-rw-r--r--frontend/src/app/_elements/loading/loading.component.ts15
-rw-r--r--frontend/src/app/_elements/model-load/model-load.component.css0
-rw-r--r--frontend/src/app/_elements/model-load/model-load.component.html221
-rw-r--r--frontend/src/app/_elements/model-load/model-load.component.spec.ts25
-rw-r--r--frontend/src/app/_elements/model-load/model-load.component.ts79
-rw-r--r--frontend/src/app/_elements/navbar/navbar.component.html8
-rw-r--r--frontend/src/app/_elements/notifications/notifications.component.html23
-rw-r--r--frontend/src/app/_elements/notifications/notifications.component.ts12
-rw-r--r--frontend/src/app/_pages/add-model/add-model.component.html454
-rw-r--r--frontend/src/app/_pages/add-model/add-model.component.ts508
-rw-r--r--frontend/src/app/_services/auth.service.ts2
-rw-r--r--frontend/src/app/app-routing.module.ts5
-rw-r--r--frontend/src/app/app.module.ts8
-rw-r--r--frontend/src/app/experiment/experiment.component.css (renamed from frontend/src/app/_pages/add-model/add-model.component.css)13
-rw-r--r--frontend/src/app/experiment/experiment.component.html201
-rw-r--r--frontend/src/app/experiment/experiment.component.spec.ts25
-rw-r--r--frontend/src/app/experiment/experiment.component.ts118
53 files changed, 1301 insertions, 1132 deletions
diff --git a/backend/api/api/Controllers/DatasetController.cs b/backend/api/api/Controllers/DatasetController.cs
index 8a622138..6eb1b9e6 100644
--- a/backend/api/api/Controllers/DatasetController.cs
+++ b/backend/api/api/Controllers/DatasetController.cs
@@ -14,11 +14,15 @@ namespace api.Controllers
public class DatasetController : ControllerBase
{
private readonly IDatasetService _datasetService;
+ private readonly IMlConnectionService _mlConnectionService;
+ private readonly IFileService _fileService;
private IJwtToken jwtToken;
- public DatasetController(IDatasetService datasetService, IConfiguration configuration,IJwtToken Token)
+ public DatasetController(IDatasetService datasetService, IConfiguration configuration,IJwtToken Token,IMlConnectionService mlConnectionService, IFileService fileService)
{
_datasetService = datasetService;
+ _mlConnectionService = mlConnectionService;
+ _fileService = fileService;
jwtToken = Token;
}
@@ -135,9 +139,8 @@ namespace api.Controllers
return BadRequest();
var dataset = _datasetService.GetOneDataset(username, name);
-
if (dataset == null)
- return NotFound($"Dataset with name = {name} not found or dataset is not public");
+ return NotFound($"Dataset with name = {name} not found or dataset is not public or not preprocessed");
return dataset;
}
@@ -159,7 +162,7 @@ namespace api.Controllers
// POST api/<DatasetController>/add
[HttpPost("add")]
[Authorize(Roles = "User,Guest")]
- public ActionResult<Dataset> Post([FromBody] Dataset dataset)
+ public async Task<ActionResult<Dataset>> Post([FromBody] Dataset dataset)
{
//da li ce preko tokena da se ubaci username ili front salje
//dataset.username = usernameToken;
@@ -170,9 +173,12 @@ namespace api.Controllers
return NotFound($"Dateset with name = {dataset.name} exisits");
else
{
- _datasetService.Create(dataset);
- return CreatedAtAction(nameof(Get), new { id = dataset._id }, dataset);
+ FileModel fileModel = _fileService.getFile(dataset.fileId);
+ dataset.isPreProcess = false;
+ _datasetService.Create(dataset);
+ _mlConnectionService.PreProcess(dataset,fileModel.path);
+ return Ok();
}
}
diff --git a/backend/api/api/Controllers/ExperimentController.cs b/backend/api/api/Controllers/ExperimentController.cs
new file mode 100644
index 00000000..2a2db31e
--- /dev/null
+++ b/backend/api/api/Controllers/ExperimentController.cs
@@ -0,0 +1,75 @@
+using System.Net.Http.Headers;
+using api.Models;
+using api.Services;
+using Microsoft.AspNetCore.Authorization;
+using Microsoft.AspNetCore.Http;
+using Microsoft.AspNetCore.Mvc;
+using Microsoft.Net.Http.Headers;
+
+namespace api.Controllers
+{
+ [Route("api/[controller]")]
+ [ApiController]
+ public class ExperimentController : ControllerBase
+ {
+
+ private readonly IExperimentService _experimentService;
+ private IJwtToken jwtToken;
+
+ public ExperimentController(IExperimentService experimentService, IConfiguration configuration, IJwtToken Token)
+ {
+ _experimentService = experimentService;
+ jwtToken = Token;
+ }
+
+ [HttpPost("add")]
+ [Authorize(Roles = "User,Guest")]
+ public async Task<ActionResult<Experiment>> Post([FromBody] Experiment experiment)
+ {
+ string uploaderId;
+ var header = Request.Headers[HeaderNames.Authorization];
+ if (AuthenticationHeaderValue.TryParse(header, out var headerValue))
+ {
+ var scheme = headerValue.Scheme;
+ var parameter = headerValue.Parameter;
+ uploaderId = jwtToken.TokenToId(parameter);
+ if (uploaderId == null)
+ return null;
+ }
+ else
+ return BadRequest();
+
+ experiment.uploaderId = uploaderId;
+
+ _experimentService.Create(experiment);
+ return Ok(experiment);
+ }
+
+ [HttpGet("get")]
+ [Authorize(Roles = "User,Guest")]
+ public async Task<ActionResult<Experiment>> Get(string id)
+ {
+ string uploaderId;
+ var header = Request.Headers[HeaderNames.Authorization];
+ if (AuthenticationHeaderValue.TryParse(header, out var headerValue))
+ {
+ var scheme = headerValue.Scheme;
+ var parameter = headerValue.Parameter;
+ uploaderId = jwtToken.TokenToId(parameter);
+ if (uploaderId == null)
+ return null;
+ }
+ else
+ return BadRequest();
+
+ var experiment = _experimentService.Get(id);
+ if(experiment.uploaderId!=uploaderId)
+ return BadRequest("Not your experiment");
+
+ return Ok(experiment);
+ }
+
+
+
+ }
+}
diff --git a/backend/api/api/Controllers/ModelController.cs b/backend/api/api/Controllers/ModelController.cs
index 210d37c8..97e7c7a7 100644
--- a/backend/api/api/Controllers/ModelController.cs
+++ b/backend/api/api/Controllers/ModelController.cs
@@ -17,15 +17,17 @@ namespace api.Controllers
private readonly IDatasetService _datasetService;
private readonly IFileService _fileService;
private readonly IModelService _modelService;
+ private readonly IExperimentService _experimentService;
private IJwtToken jwtToken;
- public ModelController(IMlConnectionService mlService, IModelService modelService, IDatasetService datasetService, IFileService fileService, IConfiguration configuration,IJwtToken token)
+ public ModelController(IMlConnectionService mlService, IModelService modelService, IDatasetService datasetService, IFileService fileService, IConfiguration configuration,IJwtToken token,IExperimentService experiment)
{
_mlService = mlService;
_modelService = modelService;
_datasetService = datasetService;
_fileService = fileService;
+ _experimentService = experiment;
jwtToken = token;
}
@@ -45,7 +47,8 @@ namespace api.Controllers
}
else
return BadRequest();
- var dataset = _datasetService.GetOneDataset(model.datasetId);
+ var experiment=_experimentService.Get(model.experimentId);
+ var dataset = _datasetService.GetOneDataset(experiment.datasetId);
var filepath = _fileService.GetFilePath(dataset.fileId, uploaderId);
var result = await _mlService.SendModelAsync(model, filepath);
return Ok(result);
@@ -145,7 +148,8 @@ namespace api.Controllers
{
bool overwrite = false;
//username="" ako je GUEST
- model.inputNeurons = model.inputColumns.Length;
+ Experiment e = _experimentService.Get(model.experimentId);
+ model.inputNeurons = e.inputColumns.Length;
if (_modelService.CheckHyperparameters(model.inputNeurons, model.hiddenLayerNeurons, model.hiddenLayers, model.outputNeurons) == false)
return BadRequest("Bad parameters!");
diff --git a/backend/api/api/Data/UserStoreDatabaseSettings.cs b/backend/api/api/Data/UserStoreDatabaseSettings.cs
index e83d2b54..822f9bf5 100644
--- a/backend/api/api/Data/UserStoreDatabaseSettings.cs
+++ b/backend/api/api/Data/UserStoreDatabaseSettings.cs
@@ -13,5 +13,6 @@ namespace api.Data
public string PredictorCollectionName { get; set; } = String.Empty;
public string ModelCollectionName { get; set; } = String.Empty;
public string FilesCollectionName { get; set; } = String.Empty;
+ public string ExperimentCollectionName { get; set; } = String.Empty;
}
}
diff --git a/backend/api/api/Interfaces/IUserStoreDatabaseSettings.cs b/backend/api/api/Interfaces/IUserStoreDatabaseSettings.cs
index a5b5f5eb..05c41701 100644
--- a/backend/api/api/Interfaces/IUserStoreDatabaseSettings.cs
+++ b/backend/api/api/Interfaces/IUserStoreDatabaseSettings.cs
@@ -9,5 +9,6 @@
string PredictorCollectionName { get; set; }
string ModelCollectionName { get; set; }
string FilesCollectionName { get; set; }
+ string ExperimentCollectionName { get; set; }
}
}
diff --git a/backend/api/api/Models/ColumnInfo.cs b/backend/api/api/Models/ColumnInfo.cs
new file mode 100644
index 00000000..ee4cee0d
--- /dev/null
+++ b/backend/api/api/Models/ColumnInfo.cs
@@ -0,0 +1,13 @@
+namespace api.Models
+{
+ public class ColumnInfo
+ {
+ public string columnName { get; set; }
+ public bool isNumber { get; set; }
+ public int numNulls { get; set; }
+ public float mean { get; set; }
+ public float median { get; set; }
+ public string[] uniqueValues { get; set; }
+
+ }
+}
diff --git a/backend/api/api/Models/Dataset.cs b/backend/api/api/Models/Dataset.cs
index dcfde3b1..2b3efa3c 100644
--- a/backend/api/api/Models/Dataset.cs
+++ b/backend/api/api/Models/Dataset.cs
@@ -22,6 +22,11 @@ namespace api.Models
public DateTime lastUpdated { get; set; }
public string delimiter { get; set; }
public bool hasHeader { get; set; }
+
+ public ColumnInfo[] columnInfo { get; set; }
+ public int totalNulls;
+ public bool isPreProcess { get; set; }
+
}
}
diff --git a/backend/api/api/Models/Experiment.cs b/backend/api/api/Models/Experiment.cs
new file mode 100644
index 00000000..6de3f169
--- /dev/null
+++ b/backend/api/api/Models/Experiment.cs
@@ -0,0 +1,23 @@
+using MongoDB.Bson;
+using MongoDB.Bson.Serialization.Attributes;
+
+namespace api.Models
+{
+ public class Experiment
+ {
+ [BsonId]
+ [BsonRepresentation(BsonType.ObjectId)]
+ public string _id { get; set; }
+
+ public string datasetId { get; set; }
+ public string uploaderId { get; set; }
+ public string[] inputColumns { get; set; }
+ public string outputColumn { get; set; }
+ public bool randomOrder { get; set; }
+ public bool randomTestSet { get; set; }
+ public float randomTestSetDistribution { get; set; }
+ public string nullValues { get; set; }
+ public NullValues[] nullValuesReplacers { get; set; }
+
+ }
+}
diff --git a/backend/api/api/Models/Model.cs b/backend/api/api/Models/Model.cs
index 86541767..e88e7e74 100644
--- a/backend/api/api/Models/Model.cs
+++ b/backend/api/api/Models/Model.cs
@@ -18,14 +18,8 @@ namespace api.Models
public DateTime dateCreated { get; set; }
public DateTime lastUpdated { get; set; }
//proveriti id
- public string datasetId { get; set; }
+ public string experimentId { get; set; }
- //Test set settings
- public string[] inputColumns { get; set; }
- public string columnToPredict { get; set; }
- public bool randomOrder {get;set;}
- public bool randomTestSet { get; set; }
- public float randomTestSetDistribution { get; set; }
//Neural net training
public string type { get; set; }
@@ -44,8 +38,6 @@ namespace api.Models
public string[] metrics { get; set; }
public int epochs { get; set; }
- public string nullValues { get; set; }
- public NullValues[] nullValuesReplacers { get; set; }
//public NullValues[] nullValues { get; set; }
}
diff --git a/backend/api/api/Models/Predictor.cs b/backend/api/api/Models/Predictor.cs
index 9c8d362f..5fd2aa09 100644
--- a/backend/api/api/Models/Predictor.cs
+++ b/backend/api/api/Models/Predictor.cs
@@ -17,6 +17,7 @@ namespace api.Models
public bool isPublic { get; set; }
public bool accessibleByLink { get; set; }
public DateTime dateCreated { get; set; }
+ public string experimentId { get; set; }
}
}
diff --git a/backend/api/api/Program.cs b/backend/api/api/Program.cs
index 2bb97e45..7d5d0c45 100644
--- a/backend/api/api/Program.cs
+++ b/backend/api/api/Program.cs
@@ -34,6 +34,7 @@ builder.Services.AddScoped<IModelService, ModelService>();
builder.Services.AddScoped<IPredictorService, PredictorService>();
builder.Services.AddScoped<IFileService, FileService>();
builder.Services.AddScoped<IJwtToken, JwtToken>();
+builder.Services.AddScoped<IExperimentService, ExperimentService>();
var mlwss = new MLWebSocketService();
diff --git a/backend/api/api/Services/DatasetService.cs b/backend/api/api/Services/DatasetService.cs
index 2ff271f3..c43bd236 100644
--- a/backend/api/api/Services/DatasetService.cs
+++ b/backend/api/api/Services/DatasetService.cs
@@ -16,7 +16,7 @@ namespace api.Services
public List<Dataset> SearchDatasets(string name, string username)
{
- return _dataset.Find(dataset => dataset.name == name && dataset.isPublic == true).ToList();
+ return _dataset.Find(dataset => dataset.name == name && dataset.isPublic == true && dataset.isPreProcess).ToList();
}
//kreiranje dataseta
@@ -34,12 +34,12 @@ namespace api.Services
public List<Dataset> GetMyDatasets(string username)
{
- return _dataset.Find(dataset => dataset.username == username).ToList();
+ return _dataset.Find(dataset => dataset.username == username && dataset.isPreProcess).ToList();
}
public List<Dataset> GetGuestDatasets()
{
//Join Igranonica public datasetove sa svim temp uploadanim datasetovima
- List<Dataset> datasets= _dataset.Find(dataset => dataset.username == "Igrannonica" && dataset.isPublic == true).ToList();
+ List<Dataset> datasets= _dataset.Find(dataset => dataset.username == "Igrannonica" && dataset.isPublic == true && dataset.isPreProcess).ToList();
datasets.AddRange(_dataset.Find(dataset => dataset.username == "").ToList());
return datasets;
}
@@ -47,7 +47,7 @@ namespace api.Services
//poslednji datasetovi
public List<Dataset> SortDatasets(string username, bool ascdsc, int latest)
{
- List<Dataset> list = _dataset.Find(dataset => dataset.username == username).ToList();
+ List<Dataset> list = _dataset.Find(dataset => dataset.username == username && dataset.isPreProcess).ToList();
if(ascdsc)
list = list.OrderBy(dataset => dataset.lastUpdated).ToList();
@@ -59,25 +59,29 @@ namespace api.Services
public List<Dataset> GetPublicDatasets()
{
- return _dataset.Find(dataset => dataset.isPublic == true).ToList();
+ return _dataset.Find(dataset => dataset.isPublic == true && dataset.isPreProcess).ToList();
}
public Dataset GetOneDataset(string username, string name)
{
- return _dataset.Find(dataset => dataset.username == username && dataset.name == name).FirstOrDefault();
+ return _dataset.Find(dataset => dataset.username == username && dataset.name == name && dataset.isPreProcess).FirstOrDefault();
}
//odraditi za pretragu getOne
public Dataset GetOneDataset(string id)
{
- return _dataset.Find(dataset => dataset._id == id).FirstOrDefault();
+ return _dataset.Find(dataset => dataset._id == id && dataset.isPreProcess).FirstOrDefault();
}
//ako je potrebno da se zameni name ili ekstenzija
- public void Update(string username, string name, Dataset dataset)
+ public void Update(string username, string name, Dataset dataset )
{
_dataset.ReplaceOne(dataset => dataset.username == username && dataset.name == name, dataset);
}
+ public void Update(Dataset dataset)
+ {
+ _dataset.ReplaceOne(x=>x._id==dataset._id, dataset);
+ }
}
diff --git a/backend/api/api/Services/ExperimentService.cs b/backend/api/api/Services/ExperimentService.cs
new file mode 100644
index 00000000..712568d4
--- /dev/null
+++ b/backend/api/api/Services/ExperimentService.cs
@@ -0,0 +1,26 @@
+using api.Interfaces;
+using api.Models;
+using MongoDB.Driver;
+
+namespace api.Services
+{
+ public class ExperimentService : IExperimentService
+ {
+ private readonly IMongoCollection<Experiment> _experiment;
+ public ExperimentService(IUserStoreDatabaseSettings settings, IMongoClient mongoClient)
+ {
+ var database = mongoClient.GetDatabase(settings.DatabaseName);
+ _experiment = database.GetCollection<Experiment>(settings.ExperimentCollectionName);
+ }
+
+ public Experiment Create(Experiment experiment)
+ {
+ _experiment.InsertOne(experiment);
+ return experiment;
+ }
+ public Experiment Get(string id)
+ {
+ return _experiment.Find(exp=>exp._id == id).FirstOrDefault();
+ }
+ }
+}
diff --git a/backend/api/api/Services/FileService.cs b/backend/api/api/Services/FileService.cs
index 24491124..13f596d0 100644
--- a/backend/api/api/Services/FileService.cs
+++ b/backend/api/api/Services/FileService.cs
@@ -36,6 +36,10 @@ namespace api.Services
return null;
return file.path;
}
+ public FileModel getFile(string id)
+ {
+ return _file.Find(x=>x._id==id).FirstOrDefault();
+ }
}
}
diff --git a/backend/api/api/Services/IDatasetService.cs b/backend/api/api/Services/IDatasetService.cs
index 8e62ba43..89856c5b 100644
--- a/backend/api/api/Services/IDatasetService.cs
+++ b/backend/api/api/Services/IDatasetService.cs
@@ -15,5 +15,6 @@ namespace api.Services
void Update(string username, string name, Dataset dataset);
void Delete(string username, string name);
public List<Dataset> GetGuestDatasets();
+ public void Update(Dataset dataset);
}
}
diff --git a/backend/api/api/Services/IExperimentService.cs b/backend/api/api/Services/IExperimentService.cs
new file mode 100644
index 00000000..f16f3eae
--- /dev/null
+++ b/backend/api/api/Services/IExperimentService.cs
@@ -0,0 +1,10 @@
+using api.Models;
+
+namespace api.Services
+{
+ public interface IExperimentService
+ {
+ Experiment Create(Experiment experiment);
+ public Experiment Get(string id);
+ }
+} \ No newline at end of file
diff --git a/backend/api/api/Services/IFileService.cs b/backend/api/api/Services/IFileService.cs
index 7446e283..d65deb48 100644
--- a/backend/api/api/Services/IFileService.cs
+++ b/backend/api/api/Services/IFileService.cs
@@ -6,5 +6,6 @@ namespace api.Services
{
FileModel Create(FileModel file);
string GetFilePath(string id, string username);
+ public FileModel getFile(string id);
}
} \ No newline at end of file
diff --git a/backend/api/api/Services/IMlConnectionService.cs b/backend/api/api/Services/IMlConnectionService.cs
index ee839d28..ea73fb0f 100644
--- a/backend/api/api/Services/IMlConnectionService.cs
+++ b/backend/api/api/Services/IMlConnectionService.cs
@@ -1,8 +1,12 @@

+using api.Models;
+
namespace api.Services
{
public interface IMlConnectionService
{
Task<string> SendModelAsync(object model, object dataset);
+ Task PreProcess(Dataset dataset, string filePath);
+ //Task<Dataset> PreProcess(Dataset dataset, byte[] file, string filename);
}
} \ No newline at end of file
diff --git a/backend/api/api/Services/MlConnectionService.cs b/backend/api/api/Services/MlConnectionService.cs
index 9c3b3fd8..66f7882a 100644
--- a/backend/api/api/Services/MlConnectionService.cs
+++ b/backend/api/api/Services/MlConnectionService.cs
@@ -1,16 +1,20 @@
-using RestSharp;
+using api.Models;
+using RestSharp;
using System.Net.WebSockets;
using System.Text;
+using Newtonsoft.Json;
namespace api.Services
{
public class MlConnectionService : IMlConnectionService
{
private RestClient client;
+ private readonly IDatasetService _datasetService;
- public MlConnectionService()
+ public MlConnectionService(IDatasetService datasetService)
{
this.client = new RestClient("http://127.0.0.1:5543");
+ _datasetService=datasetService;
}
public async Task<string> SendModelAsync(object model, object dataset)
@@ -20,5 +24,20 @@ namespace api.Services
var result = await this.client.ExecuteAsync(request);
return result.Content; //Response od ML microservisa
}
+ public async Task PreProcess(Dataset dataset,string filePath)//(Dataset dataset,byte[] file,string filename)
+ {
+ var request=new RestRequest("preprocess", Method.Post);//USKLADITI SA ML API
+ request.AddParameter("dataset", JsonConvert.SerializeObject(dataset));
+ //request.AddFile("file", file,filename);
+ request.AddFile("file", filePath);
+ request.AddHeader("Content-Type", "multipart/form-data");
+ var result=await this.client.ExecuteAsync(request);
+ Dataset newDataset = JsonConvert.DeserializeObject<Dataset>(result.Content);
+ newDataset.isPreProcess = true;
+ _datasetService.Update(newDataset);
+
+ return;
+
+ }
}
}
diff --git a/backend/api/api/Services/TempRemovalService.cs b/backend/api/api/Services/TempRemovalService.cs
index 9741ace2..d72dc89e 100644
--- a/backend/api/api/Services/TempRemovalService.cs
+++ b/backend/api/api/Services/TempRemovalService.cs
@@ -9,6 +9,7 @@ namespace api.Services
private readonly IMongoCollection<FileModel> _file;
private readonly IMongoCollection<Model> _model;
private readonly IMongoCollection<Dataset> _dataset;
+ private readonly IMongoCollection<Experiment> _experiment;
public TempRemovalService(IUserStoreDatabaseSettings settings, IMongoClient mongoClient)
{
@@ -16,6 +17,7 @@ namespace api.Services
_file = database.GetCollection<FileModel>(settings.FilesCollectionName);
_model= database.GetCollection<Model>(settings.ModelCollectionName);
_dataset = database.GetCollection<Dataset>(settings.DatasetCollectionName);
+ _experiment= database.GetCollection<Experiment>(settings.ExperimentCollectionName);
}
public void DeleteTemps()
{
@@ -29,11 +31,16 @@ namespace api.Services
foreach(var dataset in datasets)
{
DeleteDataset(dataset._id);
- List<Model> models = _model.Find(model => model.datasetId == dataset._id && model.username=="").ToList();
- foreach(var model in models)
+ List<Experiment> experiments = _experiment.Find(experiment=>experiment.datasetId== dataset._id && experiment.uploaderId=="").ToList();
+ foreach(var experiment in experiments)
{
- DeleteModel(model._id);
- }
+ DeleteExperiment(experiment._id);
+ List<Model> models = _model.Find(model => model.experimentId == experiment._id && model.username == "").ToList();
+ foreach (var model in models)
+ {
+ DeleteModel(model._id);
+ }
+ }
}
if (File.Exists(file.path))
File.Delete(file.path);
@@ -67,6 +74,10 @@ namespace api.Services
{
_dataset.DeleteOne(dataset => dataset._id == id);
}
+ public void DeleteExperiment(string id)
+ {
+ _experiment.DeleteOne(experiment => experiment._id == id);
+ }
}
diff --git a/backend/api/api/appsettings.json b/backend/api/api/appsettings.json
index fdccfb07..f8923a10 100644
--- a/backend/api/api/appsettings.json
+++ b/backend/api/api/appsettings.json
@@ -9,17 +9,18 @@
}
},
"AllowedHosts": "*",
- "UserStoreDatabaseSettings": {
- /* LocalHost
- */
- "ConnectionString": "mongodb://127.0.0.1:27017/",
- "DatabaseName": "si_project",
- "CollectionName": "users",
- "DatasetCollectionName": "Dataset",
- "ModelCollectionName": "Model",
- "PredictorCollectionName": "Predictor",
- "FilesCollectionName": "Files"
- /*
+ "UserStoreDatabaseSettings": {
+ /* LocalHost
+ */
+ "ConnectionString": "mongodb://127.0.0.1:27017/",
+ "DatabaseName": "si_project",
+ "CollectionName": "users",
+ "DatasetCollectionName": "Dataset",
+ "ModelCollectionName": "Model",
+ "PredictorCollectionName": "Predictor",
+ "FilesCollectionName": "Files",
+ "ExperimentCollectionName": "Experiment"
+ /*
"ConnectionString": "mongodb+srv://si_user:si_user@sidatabase.twtfm.mongodb.net/myFirstDatabase?retryWrites=true&w=majority",
"DatabaseName": "si_db",
"CollectionName": "users",
@@ -27,5 +28,5 @@
"ModelCollectionName": "Model",
"PredictorCollectionName": "Predictor",
"FilesCollectionName": "Files"*/
- }
+ }
} \ No newline at end of file
diff --git a/backend/microservice/api/newmlservice.py b/backend/microservice/api/newmlservice.py
index 50af15f8..2ea31702 100644
--- a/backend/microservice/api/newmlservice.py
+++ b/backend/microservice/api/newmlservice.py
@@ -33,6 +33,8 @@ def returnColumnsInfo(dataset):
uniquevalues=datafront[kolona].unique()
mean=0
median=0
+ minimum=0
+ maximum=0
nullCount=datafront[kolona].isnull().sum()
if(nullCount>0):
allNullCols=allNullCols+1
@@ -41,10 +43,14 @@ def returnColumnsInfo(dataset):
'uniqueValues':uniquevalues.tolist(),
'median':float(mean),
'mean':float(median),
- 'numNulls':float(nullCount)
+ 'numNulls':float(nullCount),
+ 'min':float(minimum),
+ 'max':float(maximum)
}
dict.append(frontreturn)
else:
+ minimum=min(datafront[kolona])
+ maximum=max(datafront[kolona])
mean=datafront[kolona].mean()
median=s.median(datafront[kolona])
nullCount=datafront[kolona].isnull().sum()
@@ -55,7 +61,9 @@ def returnColumnsInfo(dataset):
'uniqueValues':[],
'mean':float(mean),
'median':float(median),
- 'numNulls':float(nullCount)
+ 'numNulls':float(nullCount),
+ 'min':float(minimum),
+ 'max':float(maximum)
}
dict.append(frontreturn)
NullRows = datafront[datafront.isnull().any(axis=1)]
@@ -95,27 +103,35 @@ class TrainingResult:
def train(dataset, params, callback):
problem_type = params["type"]
- print(problem_type)
+ #print(problem_type)
data = pd.DataFrame()
- print(data)
+ #print(data)
for col in params["inputColumns"]:
- print(col)
+ #print(col)
data[col]=dataset[col]
output_column = params["columnToPredict"]
data[output_column] = dataset[output_column]
- print(data)
+ #print(data)
###NULL
null_value_options = params["nullValues"]
null_values_replacers = params["nullValuesReplacers"]
if(null_value_options=='replace'):
- print("replace null") # TODO
+ #print("replace null") # TODO
+ dict=params['null_values_replacers']
+ while(len(dict)>0):
+ replace=dict.pop()
+ col=replace['column']
+ opt=replace['option']
+ if(opt=='replace'):
+ replacevalue=replace['value']
+ data[col]=data[col].fillna(replacevalue)
elif(null_value_options=='delete_rows'):
data=data.dropna()
elif(null_value_options=='delete_columns'):
- data=data.dropna()
- print(data.shape)
+ data=data.dropna(axis=1)
+ #print(data.shape)
#
# Brisanje kolona koje ne uticu na rezultat
@@ -176,7 +192,7 @@ def train(dataset, params, callback):
for col in data.columns:
if(col!=output_column):
x_columns.append(col)
- print(x_columns)
+ #print(x_columns)
x = data[x_columns].values
y = data[output_column].values
@@ -190,7 +206,7 @@ def train(dataset, params, callback):
else:
random=0
x_train, x_test, y_train, y_test = train_test_split(x, y, test_size=test, random_state=random)
- print(x_train,x_test)
+ #print(x_train,x_test)
#
# Treniranje modela
@@ -215,7 +231,7 @@ def train(dataset, params, callback):
#print(y_pred.flatten())
#print(y_test)
scores = classifier.evaluate(x_test, y_test)
- print("\n%s: %.2f%%" % (classifier.metrics_names[1], scores[1]*100))
+ #print("\n%s: %.2f%%" % (classifier.metrics_names[1], scores[1]*100))
classifier.save("temp/"+params['name'], save_format='h5')
#vizuelizacija u python-u
#from ann_visualizer.visualize import ann_viz;
@@ -238,11 +254,11 @@ def train(dataset, params, callback):
y_pred=classifier.predict(x_test)
y_pred=(y_pred>=0.5).astype('int')
- print(y_pred.flatten())
- print(y_test)
+ #print(y_pred.flatten())
+ #print(y_test)
scores = classifier.evaluate(x_test, y_test)
- print("\n%s: %.2f%%" % (classifier.metrics_names[1], scores[1]*100))
+ #print("\n%s: %.2f%%" % (classifier.metrics_names[1], scores[1]*100))
#ann_viz(classifier, title="My neural network")
classifier.save("temp/"+params['name'], save_format='h5')
@@ -260,7 +276,7 @@ def train(dataset, params, callback):
history=classifier.fit(x_train, y_train, epochs = params['epochs'],batch_size=params['batchSize'])
y_pred=classifier.predict(x_test)
- print(classifier.evaluate(x_test, y_test))
+ #print(classifier.evaluate(x_test, y_test))
def roc_auc_score_multiclass(actual_class, pred_class, average = "macro"):
@@ -346,11 +362,11 @@ def train(dataset, params, callback):
def manageH5(dataset,params,h5model):
problem_type = params["type"]
- print(problem_type)
+ #print(problem_type)
data = pd.DataFrame()
#print(data)
for col in params["inputColumns"]:
- print(col)
+ #print(col)
data[col]=dataset[col]
output_column = params["columnToPredict"]
data[output_column] = dataset[output_column]
@@ -361,12 +377,21 @@ def manageH5(dataset,params,h5model):
null_values_replacers = params["nullValuesReplacers"]
if(null_value_options=='replace'):
- print("replace null") # TODO
+ #print("replace null") # TODO
+ dict=params['null_values_replacers']
+ while(len(dict)>0):
+ replace=dict.pop()
+ col=replace['column']
+ opt=replace['option']
+ if(opt=='replace'):
+ replacevalue=replace['value']
+ data[col]=data[col].fillna(replacevalue)
elif(null_value_options=='delete_rows'):
data=data.dropna()
elif(null_value_options=='delete_columns'):
data=data.dropna()
- print(data.shape)
+
+ #print(data.shape)
#
# Brisanje kolona koje ne uticu na rezultat
@@ -402,10 +427,10 @@ def manageH5(dataset,params,h5model):
x_columns.append(col)
#print(x_columns)
x2 = data[x_columns]
- print(x2)
- print(x2.values)
+ #print(x2)
+ #print(x2.values)
x2 = data[x_columns].values
- print(x2)
+ #print(x2)
y2 = data[output_column].values
h5model.summary()
ann_viz(h5model, title="My neural network")
@@ -419,6 +444,6 @@ def manageH5(dataset,params,h5model):
y_pred2=np.argmax(y_pred2,axis=1)
#y_pred=h5model.predict_classes(x)
score = h5model.evaluate(x2,y_pred2, verbose=0)
- print("%s: %.2f%%" % (h5model.metrics_names[1], score[1]*100))
- print(y_pred2)
- print( 'done') \ No newline at end of file
+ #print("%s: %.2f%%" % (h5model.metrics_names[1], score[1]*100))
+ #print(y_pred2)
+ #print( 'done') \ No newline at end of file
diff --git a/frontend/src/app/Shared.ts b/frontend/src/app/Shared.ts
index 86e26687..a069ff8b 100644
--- a/frontend/src/app/Shared.ts
+++ b/frontend/src/app/Shared.ts
@@ -7,6 +7,7 @@ class Shared {
constructor(
public loggedIn: boolean,
public username: string = '',
+ public userId: string = '',
public photoId: string = '1',
public dialog?: MatDialog
//public alertDialog?: ElementRef
diff --git a/frontend/src/app/_data/Dataset.ts b/frontend/src/app/_data/Dataset.ts
index c5b56957..dd751947 100644
--- a/frontend/src/app/_data/Dataset.ts
+++ b/frontend/src/app/_data/Dataset.ts
@@ -12,6 +12,22 @@ export default class Dataset {
public lastUpdated: Date = new Date(),
public username: string = '',
public delimiter: string = '',
- public hasHeader: boolean = true
+ public hasHeader: boolean = true,
+
+ public columnInfo: ColumnInfo[] = [],
+ public preview: string[][] = [[]]
+ ) { }
+}
+
+export class ColumnInfo {
+ constructor(
+ public name: string = '',
+ public isNumber: boolean = false,
+ public numNull: number = 0,
+ public uniqueValues?: string[],
+ public median?: number,
+ public mean?: number,
+ public min?: number,
+ public max?: number
) { }
} \ No newline at end of file
diff --git a/frontend/src/app/_data/Experiment.ts b/frontend/src/app/_data/Experiment.ts
new file mode 100644
index 00000000..10320ab6
--- /dev/null
+++ b/frontend/src/app/_data/Experiment.ts
@@ -0,0 +1,34 @@
+export default class Experiment {
+ _id: string = '';
+ constructor(
+ public name: string = 'Novi experiment',
+ public description: string = '',
+ public datasetId: string = '',
+ public inputColumns: string[] = [],
+ public columnToPredict: string = '',
+ public nullValues: NullValueOptions = NullValueOptions.DeleteRows,
+ public nullValuesReplacers: NullValReplacer[] = [],
+ public dateCreated: Date = new Date(),
+ public lastUpdated: Date = new Date()
+ ) { }
+}
+
+export enum NullValueOptions {
+ DeleteRows = 'delete_rows',
+ DeleteColumns = 'delete_columns',
+ Replace = 'replace'
+}
+
+export enum ReplaceWith {
+ None = 'Popuni...',
+ Mean = 'Srednja vrednost',
+ Median = 'Medijana',
+ Min = 'Minimum',
+ Max = 'Maksimum'
+}
+
+export class NullValReplacer {
+ "column": string;
+ "option": NullValueOptions;
+ "value": string;
+} \ No newline at end of file
diff --git a/frontend/src/app/_data/Model.ts b/frontend/src/app/_data/Model.ts
index d9ba7885..9ea437b1 100644
--- a/frontend/src/app/_data/Model.ts
+++ b/frontend/src/app/_data/Model.ts
@@ -7,11 +7,9 @@ export default class Model {
public description: string = '',
public dateCreated: Date = new Date(),
public lastUpdated: Date = new Date(),
- public datasetId: string = '',
+ public experimentId: string = '',
// Test set settings
- public inputColumns: string[] = [],
- public columnToPredict: string = '',
public randomOrder: boolean = true,
public randomTestSet: boolean = true,
public randomTestSetDistribution: number = 0.1, //0.1-0.9 (10% - 90%) JESTE OVDE ZAKUCANO 10, AL POSLATO JE KAO 0.1 BACK-U
@@ -26,11 +24,8 @@ export default class Model {
public hiddenLayers: number = 1,
public batchSize: number = 5,
public hiddenLayerActivationFunctions: string[] = ['sigmoid'],
- //public inputLayerActivationFunction: ActivationFunction = ActivationFunction.Sigmoid,
public outputLayerActivationFunction: ActivationFunction = ActivationFunction.Sigmoid,
public username: string = '',
- public nullValues: NullValueOptions = NullValueOptions.DeleteRows,
- public nullValuesReplacers: NullValReplacer[] = [],
public metrics: string[] = [], // TODO add to add-model form
public epochs: number = 5 // TODO add to add-model form
) { }
@@ -85,7 +80,6 @@ export enum ActivationFunction {
Linear = 'linear',
//Sigmoid='sigmoid',
Softmax = 'softmax',
-
}
/*
export enum ActivationFunctionHiddenLayer
@@ -117,7 +111,6 @@ export enum LossFunction {
MeanSquaredError = 'mean_squared_error',
MeanSquaredLogarithmicError = 'mean_squared_logarithmic_error',
HuberLoss = 'Huber'
-
}
export enum LossFunctionRegression {
MeanAbsoluteError = 'mean_absolute_error',
@@ -168,31 +161,28 @@ export enum Metrics {
MSE = 'mse',
MAE = 'mae',
RMSE = 'rmse'
-
+
}
-export enum MetricsRegression
-{
+export enum MetricsRegression {
Mse = 'mse',
Mae = 'mae',
Mape = 'mape',
- Msle='msle',
- CosineProximity='cosine'
+ Msle = 'msle',
+ CosineProximity = 'cosine'
}
-export enum MetricsBinaryClassification
-{
- Accuracy='binary_accuracy',
- Auc="AUC",
- Precision='precision_score',
- Recall='recall_score',
- F1='f1_score',
-
+export enum MetricsBinaryClassification {
+ Accuracy = 'binary_accuracy',
+ Auc = "AUC",
+ Precision = 'precision_score',
+ Recall = 'recall_score',
+ F1 = 'f1_score',
+
}
-export enum MetricsMultiClassification
-{
- Accuracy='categorical_accuracy',
- Auc="AUC",
- Precision='precision_score',
- Recall='recall_score',
- F1='f1_score',
+export enum MetricsMultiClassification {
+ Accuracy = 'categorical_accuracy',
+ Auc = "AUC",
+ Precision = 'precision_score',
+ Recall = 'recall_score',
+ F1 = 'f1_score',
}
diff --git a/frontend/src/app/_data/Notification.ts b/frontend/src/app/_data/Notification.ts
new file mode 100644
index 00000000..181bb332
--- /dev/null
+++ b/frontend/src/app/_data/Notification.ts
@@ -0,0 +1,8 @@
+export default class Notification {
+ _id: string = '';
+ constructor(
+ public title: string = 'Treniranje u toku...',
+ public id: string = '042',
+ public progress: number = 0.5
+ ) { }
+} \ No newline at end of file
diff --git a/frontend/src/app/_elements/add-new-dataset/add-new-dataset.component.html b/frontend/src/app/_elements/add-new-dataset/add-new-dataset.component.html
index dfeb4f62..eb68b54c 100644
--- a/frontend/src/app/_elements/add-new-dataset/add-new-dataset.component.html
+++ b/frontend/src/app/_elements/add-new-dataset/add-new-dataset.component.html
@@ -24,9 +24,9 @@
</div>
<div class="col-4 mt-4">
- <input list=delimiterOptions placeholder="Izaberite ili ukucajte delimiter za .csv fajl" class="form-control mt-2"
+ <input list="delimiterOptions" placeholder="Izaberite ili ukucajte delimiter za .csv fajl" class="form-control mt-2"
[(ngModel)]="dataset.delimiter" (input)="update()">
- <datalist id=delimiterOptions>
+ <datalist id="delimiterOptions">
<option *ngFor="let option of delimiterOptions">{{option}}</option>
</datalist>
@@ -38,4 +38,12 @@
<input id="fileInput" class="form-control" type="file" class="upload" (change)="changeListener($event)"
accept=".csv">
</div>
- </div> \ No newline at end of file
+</div>
+
+<div class="px-5 mt-5">
+ <app-datatable [data]="csvRecords" [hasHeader]="dataset.hasHeader"></app-datatable>
+</div>
+
+<div class="d-flex flex-row align-items-center justify-content-center w-100">
+ <button (click)="uploadDataset()" class="btn btn-lg col-4" style="background-color:#003459; color:white;">Dodaj izvor podataka</button>
+</div>
diff --git a/frontend/src/app/_elements/add-new-dataset/add-new-dataset.component.ts b/frontend/src/app/_elements/add-new-dataset/add-new-dataset.component.ts
index fceb53cf..c5e6558a 100644
--- a/frontend/src/app/_elements/add-new-dataset/add-new-dataset.component.ts
+++ b/frontend/src/app/_elements/add-new-dataset/add-new-dataset.component.ts
@@ -1,6 +1,10 @@
import { Component, EventEmitter, Output, ViewChild } from '@angular/core';
import { NgxCsvParser, NgxCSVParserError } from 'ngx-csv-parser';
import Dataset from 'src/app/_data/Dataset';
+import { DatasetsService } from 'src/app/_services/datasets.service';
+import { ModelsService } from 'src/app/_services/models.service';
+import shared from 'src/app/Shared';
+import { DatatableComponent } from '../datatable/datatable.component';
@Component({
selector: 'app-add-new-dataset',
@@ -9,7 +13,8 @@ import Dataset from 'src/app/_data/Dataset';
})
export class AddNewDatasetComponent {
- @Output() loaded = new EventEmitter<string>();
+ @Output() newDatasetAdded = new EventEmitter<string>();
+ @ViewChild(DatatableComponent) datatable?: DatatableComponent;
delimiterOptions: Array<string> = [",", ";", "\t", "razmak", "|"]; //podrazumevano ","
@@ -23,7 +28,7 @@ export class AddNewDatasetComponent {
dataset: Dataset; //dodaj ! potencijalno
- constructor(private ngxCsvParser: NgxCsvParser) {
+ constructor(private ngxCsvParser: NgxCsvParser, private modelsService: ModelsService, private datasetsService: DatasetsService) {
this.dataset = new Dataset();
}
@@ -48,6 +53,9 @@ export class AddNewDatasetComponent {
if (this.files.length < 1)
return;
+ this.datatable!.loaded = false;
+ this.datatable!.hasInput = this.hasInput;
+
this.ngxCsvParser.parse(this.files[0], { header: false, delimiter: (this.dataset.delimiter == "razmak") ? " " : (this.dataset.delimiter == "") ? "," : this.dataset.delimiter })
.pipe().subscribe((result) => {
@@ -60,10 +68,12 @@ export class AddNewDatasetComponent {
this.rowsNumber = this.csvRecords.length;
this.colsNumber = this.csvRecords[0].length;
- if (this.dataset.hasHeader) //kasnije dodati opciju kada nema header da korisnik rucno unosi header-e
+ if (this.dataset.hasHeader)
this.dataset.header = this.csvRecords[0];
-
- this.loaded.emit("loaded");
+
+ this.datatable!.data = this.csvRecords;
+ this.datatable!.hasHeader = this.dataset.hasHeader;
+ this.datatable!.loaded = true;
}
}, (error: NgxCSVParserError) => {
console.log('Error', error);
@@ -75,4 +85,26 @@ export class AddNewDatasetComponent {
this.dataset.accessibleByLink = true;
}
+ uploadDataset() {
+ this.modelsService.uploadData(this.files[0]).subscribe((file) => {
+ //console.log('ADD MODEL: STEP 2 - ADD DATASET WITH FILE ID ' + file._id);
+ this.dataset.fileId = file._id;
+ this.dataset.username = shared.username;
+
+ this.datasetsService.addDataset(this.dataset).subscribe((dataset) => {
+
+ this.newDatasetAdded.emit("added");
+ //this.refreshMyDatasetList(); refreshuj dataset listu u ds-load i selektuj taj ds
+ //this.showMyDatasets = true;
+ //this.selectThisDataset(dataset);
+
+ shared.openDialog("Obaveštenje", "Uspešno ste dodali novi izvor podataka u kolekciju. Molimo sačekajte par trenutaka da se procesira.");
+ }, (error) => {
+ shared.openDialog("Neuspeo pokušaj!", "Dataset sa unetim nazivom već postoji u Vašoj kolekciji. Izmenite naziv ili iskoristite postojeći dataset.");
+ }); //kraj addDataset subscribe
+ }, (error) => {
+
+ }); //kraj uploadData subscribe
+ }
+
}
diff --git a/frontend/src/app/_elements/annvisual/annvisual.component.ts b/frontend/src/app/_elements/annvisual/annvisual.component.ts
index 53e4e2ca..df0a3898 100644
--- a/frontend/src/app/_elements/annvisual/annvisual.component.ts
+++ b/frontend/src/app/_elements/annvisual/annvisual.component.ts
@@ -18,7 +18,7 @@ export class AnnvisualComponent implements OnInit {
let hiddenlayerstring: string = '';
let digraphstring: string = 'digraph {';
- for (let i = 0; i < this.model.inputColumns.length; i++) {
+ for (let i = 0; i < /*this.model.inputColumns.length*/ 10; i++) {
inputlayerstring = inputlayerstring + 'i' + i + ',';
}
inputlayerstring = inputlayerstring.slice(0, -1);
@@ -35,7 +35,6 @@ export class AnnvisualComponent implements OnInit {
}
digraphstring = digraphstring + 'o}';
-
graphviz('#graph').renderDot(digraphstring);
}
diff --git a/frontend/src/app/_elements/dataset-load/dataset-load.component.html b/frontend/src/app/_elements/dataset-load/dataset-load.component.html
index 674e5990..2052c9b5 100644
--- a/frontend/src/app/_elements/dataset-load/dataset-load.component.html
+++ b/frontend/src/app/_elements/dataset-load/dataset-load.component.html
@@ -3,8 +3,7 @@
<!--Sklonjeno ucitavanje novog dataseta i sve opcije u vezi sa tim, premesteno u add-new-dataset-->
<div class="col-12 d-flex my-5">
- <h2 class="">Izvor podataka:</h2>
- <div class="col-1">
+ <div class="col-3">
</div>
<button type="button" id="btnMyDataset" class="btn" (click)="viewMyDatasetsForm()"
[ngClass]="{'btnType1': showMyDatasets, 'btnType2': !showMyDatasets}">
@@ -22,21 +21,21 @@
</div>
<div class="px-5">
<div *ngIf="showMyDatasets" class="overflow-auto" style="max-height: 500px;">
- <ul class="list-group">
- <li class="list-group-item p-3" *ngFor="let dataset of myDatasets|filter:term"
- [ngClass]="{'selectedDatasetClass': this.selectedDataset == dataset}">
- <app-item-dataset name="usersDataset" [dataset]="dataset"
- (click)="selectThisDataset(dataset);"></app-item-dataset>
- </li>
- </ul>
+ <ul class="list-group">
+ <li class="list-group-item p-3" *ngFor="let dataset of myDatasets|filter:term"
+ [ngClass]="{'selectedDatasetClass': this.selectedDataset == dataset}">
+ <app-item-dataset name="usersDataset" [dataset]="dataset"
+ (click)="selectThisDataset(dataset);"></app-item-dataset>
+ </li>
+ </ul>
+ <div class="px-5 mt-5">
+ <app-datatable [data]="datasetFile" [hasHeader]="datasetHasHeader"></app-datatable>
+ </div>
</div>
</div>
<app-add-new-dataset [style]="(showMyDatasets)?'display:none;visibility:hidden;':''" id="dataset"
- (loaded)="datasetLoaded = true; selectedDataset = addNewDatasetComponent?.dataset; datasetFile = addNewDatasetComponent?.csvRecords; datasetHasHeader = addNewDatasetComponent?.dataset!.hasHeader">
+ (newDatasetAdded)="showMyDatasets = true">
</app-add-new-dataset>
- <div class="px-5 mt-5">
- <app-datatable [data]="datasetFile" [hasHeader]="datasetHasHeader"></app-datatable>
- </div>
</div> \ No newline at end of file
diff --git a/frontend/src/app/_elements/datatable/datatable.component.html b/frontend/src/app/_elements/datatable/datatable.component.html
index bd9e7a13..52d50443 100644
--- a/frontend/src/app/_elements/datatable/datatable.component.html
+++ b/frontend/src/app/_elements/datatable/datatable.component.html
@@ -1,28 +1,34 @@
-<div *ngIf="data">
- <div class="table-responsive" style="max-height: 50vh; max-width: 100%; overflow: scroll;">
- <table *ngIf="hasHeader" class="table table-bordered table-light">
- <thead>
- <tr>
- <th *ngFor="let item of data[0]; let i = index">{{item}}</th>
- </tr>
- </thead>
- <tbody>
- <tr *ngFor="let row of data | slice:1">
- <td *ngFor="let col of row">{{col}}</td>
- </tr>
- </tbody>
- </table>
+<div *ngIf="data && hasInput">
+ <div class="table-responsive" style="height: 34rem; overflow: auto; border-radius: 5px;" class="mh-5">
+ <div *ngIf="!loaded" style="background-color: #003459; width: 100%; height: 100%;"
+ class="d-flex justify-content-center align-items-center">
+ <app-loading></app-loading>
+ </div>
+ <div *ngIf="loaded">
+ <table *ngIf="data.length > 0 && hasHeader && data[0].length > 0" class="table table-bordered table-light">
+ <thead>
+ <tr>
+ <th *ngFor="let item of data[0]; let i = index">{{item}}</th>
+ </tr>
+ </thead>
+ <tbody>
+ <tr *ngFor="let row of data | slice:1">
+ <td *ngFor="let col of row">{{col}}</td>
+ </tr>
+ </tbody>
+ </table>
- <table *ngIf="data.length > 0 && !hasHeader" class="table table-bordered table-light">
- <tbody>
- <tr *ngFor="let row of data">
- <td *ngFor="let col of row">{{col}}</td>
- </tr>
- </tbody>
- </table>
+ <table *ngIf="data.length > 0 && !hasHeader && data[0].length > 0" class="table table-bordered table-light">
+ <tbody>
+ <tr *ngFor="let row of data">
+ <td *ngFor="let col of row">{{col}}</td>
+ </tr>
+ </tbody>
+ </table>
+ </div>
</div>
- <div id="info">
+ <div id="info" *ngIf="data.length > 0 && data[0].length > 0">
<br>
<span *ngIf="hasHeader">{{data.length - 1}} x {{data[0].length}}</span>
<span *ngIf="!hasHeader">{{data.length}} x {{data[0].length}}</span>
diff --git a/frontend/src/app/_elements/datatable/datatable.component.ts b/frontend/src/app/_elements/datatable/datatable.component.ts
index d3740d83..19fb204e 100644
--- a/frontend/src/app/_elements/datatable/datatable.component.ts
+++ b/frontend/src/app/_elements/datatable/datatable.component.ts
@@ -11,6 +11,9 @@ export class DatatableComponent implements OnInit {
@Input() data?: any[] = [];
+ hasInput = false;
+ loaded = false;
+
constructor() { }
ngOnInit(): void {
diff --git a/frontend/src/app/_elements/loading/loading.component.css b/frontend/src/app/_elements/loading/loading.component.css
new file mode 100644
index 00000000..f39f60ee
--- /dev/null
+++ b/frontend/src/app/_elements/loading/loading.component.css
@@ -0,0 +1,81 @@
+.lds-grid {
+ display: inline-block;
+ position: relative;
+ width: 80px;
+ height: 80px;
+}
+
+.lds-grid div {
+ position: absolute;
+ width: 16px;
+ height: 16px;
+ border-radius: 50%;
+ background: #fff;
+ animation: lds-grid 1.2s linear infinite;
+}
+
+.lds-grid div:nth-child(1) {
+ top: 8px;
+ left: 8px;
+ animation-delay: 0s;
+}
+
+.lds-grid div:nth-child(2) {
+ top: 8px;
+ left: 32px;
+ animation-delay: -0.4s;
+}
+
+.lds-grid div:nth-child(3) {
+ top: 8px;
+ left: 56px;
+ animation-delay: -0.8s;
+}
+
+.lds-grid div:nth-child(4) {
+ top: 32px;
+ left: 8px;
+ animation-delay: -0.4s;
+}
+
+.lds-grid div:nth-child(5) {
+ top: 32px;
+ left: 32px;
+ animation-delay: -0.8s;
+}
+
+.lds-grid div:nth-child(6) {
+ top: 32px;
+ left: 56px;
+ animation-delay: -1.2s;
+}
+
+.lds-grid div:nth-child(7) {
+ top: 56px;
+ left: 8px;
+ animation-delay: -0.8s;
+}
+
+.lds-grid div:nth-child(8) {
+ top: 56px;
+ left: 32px;
+ animation-delay: -1.2s;
+}
+
+.lds-grid div:nth-child(9) {
+ top: 56px;
+ left: 56px;
+ animation-delay: -1.6s;
+}
+
+@keyframes lds-grid {
+
+ 0%,
+ 100% {
+ opacity: 1;
+ }
+
+ 50% {
+ opacity: 0.5;
+ }
+} \ No newline at end of file
diff --git a/frontend/src/app/_elements/loading/loading.component.html b/frontend/src/app/_elements/loading/loading.component.html
new file mode 100644
index 00000000..d2c7b74e
--- /dev/null
+++ b/frontend/src/app/_elements/loading/loading.component.html
@@ -0,0 +1,11 @@
+<div class="lds-grid">
+ <div></div>
+ <div></div>
+ <div></div>
+ <div></div>
+ <div></div>
+ <div></div>
+ <div></div>
+ <div></div>
+ <div></div>
+</div> \ No newline at end of file
diff --git a/frontend/src/app/_pages/add-model/add-model.component.spec.ts b/frontend/src/app/_elements/loading/loading.component.spec.ts
index 2926e1c4..7aacfad9 100644
--- a/frontend/src/app/_pages/add-model/add-model.component.spec.ts
+++ b/frontend/src/app/_elements/loading/loading.component.spec.ts
@@ -1,20 +1,20 @@
import { ComponentFixture, TestBed } from '@angular/core/testing';
-import { AddModelComponent } from './add-model.component';
+import { LoadingComponent } from './loading.component';
-describe('AddModelComponent', () => {
- let component: AddModelComponent;
- let fixture: ComponentFixture<AddModelComponent>;
+describe('LoadingComponent', () => {
+ let component: LoadingComponent;
+ let fixture: ComponentFixture<LoadingComponent>;
beforeEach(async () => {
await TestBed.configureTestingModule({
- declarations: [ AddModelComponent ]
+ declarations: [ LoadingComponent ]
})
.compileComponents();
});
beforeEach(() => {
- fixture = TestBed.createComponent(AddModelComponent);
+ fixture = TestBed.createComponent(LoadingComponent);
component = fixture.componentInstance;
fixture.detectChanges();
});
diff --git a/frontend/src/app/_elements/loading/loading.component.ts b/frontend/src/app/_elements/loading/loading.component.ts
new file mode 100644
index 00000000..4dff0cdf
--- /dev/null
+++ b/frontend/src/app/_elements/loading/loading.component.ts
@@ -0,0 +1,15 @@
+import { Component, OnInit } from '@angular/core';
+
+@Component({
+ selector: 'app-loading',
+ templateUrl: './loading.component.html',
+ styleUrls: ['./loading.component.css']
+})
+export class LoadingComponent implements OnInit {
+
+ constructor() { }
+
+ ngOnInit(): void {
+ }
+
+}
diff --git a/frontend/src/app/_elements/model-load/model-load.component.css b/frontend/src/app/_elements/model-load/model-load.component.css
new file mode 100644
index 00000000..e69de29b
--- /dev/null
+++ b/frontend/src/app/_elements/model-load/model-load.component.css
diff --git a/frontend/src/app/_elements/model-load/model-load.component.html b/frontend/src/app/_elements/model-load/model-load.component.html
new file mode 100644
index 00000000..0c6735a9
--- /dev/null
+++ b/frontend/src/app/_elements/model-load/model-load.component.html
@@ -0,0 +1,221 @@
+<div>
+ <div class="form-group row mt-3 mb-2 d-flex justify-content-center">
+ <h2 class="col-2"> Nov model: </h2>
+ <div class="col-3">
+ <label for="name" class="col-form-label">Naziv modela:</label>
+ <input type="text" class="form-control" name="name" placeholder="Naziv..." [(ngModel)]="newModel.name">
+ </div>
+ <div class="col-5">
+ <label for="desc" class="col-sm-2 col-form-label">Opis:</label>
+ <div>
+ <textarea class="form-control" name="desc" rows="3" [(ngModel)]="newModel.description"></textarea>
+ </div>
+ </div>
+ <div class="col-2">
+ <label for="dateCreated" class="col-form-label">Datum:</label> &nbsp;&nbsp;
+ <input type="text" class="form-control-plaintext" id="dateCreated" placeholder="--/--/--"
+ value="{{newModel.dateCreated | date: 'dd/MM/yyyy'}}" readonly>
+ </div>
+ </div>
+ <h2 class="mt-5 mb-4">Parametri treniranja:</h2>
+ <div>
+ <div class="row p-2">
+ <div class="col-1">
+ </div>
+ <div class="col-3">
+ <label for="type" class="col-form-label">Tip problema: </label>
+ </div>
+ <div class="col-2">
+ <select id=typeOptions class="form-control" name="type" [(ngModel)]="newModel.type"
+ (change)="filterOptions()">
+ <option
+ *ngFor="let option of Object.keys(ProblemType); let optionName of Object.values(ProblemType)"
+ [value]="option">
+ {{ optionName }}
+ </option>
+ </select>
+ </div>
+ <div class="col-1">
+ </div>
+ <div class="col-3">
+ <label for="hiddenLayers" class="col-form-label">Broj skrivenih slojeva: </label>
+ </div>
+ <div class="col-1">
+ <input type="number" min="1" class="form-control" name="hiddenLayers"
+ [(ngModel)]="newModel.hiddenLayers"
+ (change)="newModel.hiddenLayerActivationFunctions = [].constructor(newModel.hiddenLayers).fill(newModel.hiddenLayerActivationFunctions[0])">
+ </div>
+ </div>
+
+ <div class="row p-2">
+ <div class="col-1">
+ </div>
+ <div class="col-3">
+ <label for="encoding" class="col-form-label">Enkoding: </label>
+ </div>
+ <div class="col-2">
+ <select id=encodingOptions class="form-control" name="encoding" [(ngModel)]="newModel.encoding">
+ <option *ngFor="let option of Object.keys(Encoding); let optionName of Object.values(Encoding)"
+ [value]="option">
+ {{ optionName }}
+ </option>
+ </select>
+ </div>
+
+ <div class="col-1">
+ </div>
+ <div class="col-3">
+ <label for="hiddenLayerNeurons" class="col-form-label">Broj neurona skrivenih slojeva: </label>
+ </div>
+ <div class="col-1">
+ <input type="number" min="1" class="form-control" name="hiddenLayerNeurons"
+ [(ngModel)]="newModel.hiddenLayerNeurons">
+ </div>
+ </div>
+
+ <div class="row p-2">
+ <div class="col-1">
+ </div>
+ <div class="col-3">
+ <label for="optimizer" class="col-form-label">Optimizacija: </label>
+ </div>
+ <div class="col-2">
+ <select id=optimizerOptions class="form-control" name="optimizer" [(ngModel)]="newModel.optimizer">
+ <option *ngFor="let option of Object.keys(Optimizer); let optionName of Object.values(Optimizer)"
+ [value]="option">
+ {{ optionName }}
+ </option>
+ </select>
+ </div>
+ <div class="col-1">
+ </div>
+ <div class="col-3">
+ <label for="batchSize" class="col-form-label">Broj uzorka po iteraciji: </label>
+ </div>
+ <div class="col-1">
+ <input type="number" min="1" class="form-control" name="batchSize" [(ngModel)]="newModel.batchSize">
+ </div>
+ </div>
+ <div class="row p-2">
+ <div class="col-1">
+ </div>
+ <div class="col-3">
+ <label for="lossFunction" class="col-form-label">Funkcija obrade gubitka: </label>
+ </div>
+ <div class="col-2">
+ <select id=lossFunctionOptions class="form-control" name="lossFunction"
+ [(ngModel)]="newModel.lossFunction" aria-checked="true">
+ <option
+ *ngFor="let option of Object.keys(lossFunction); let optionName of Object.values(lossFunction)"
+ [value]="option">
+ {{ optionName }}
+ </option>
+ </select>
+ </div>
+ <div class="col-1"></div>
+ <div class="col-3 mt-2">
+ <label for="type" class="form-check-label">Nasumičan redosled podataka?</label>
+ <input class="mx-3 form-check-input" type="checkbox" [(ngModel)]="newModel.randomOrder" type="checkbox"
+ value="" checked>
+ </div>
+ </div>
+ <div class="border m-3">
+ <div class="row p-2 m-2">
+ <div class="col-4">
+ <label for="splitYesNo" class="form-check-label">
+ <h3>Podela test skupa:&nbsp;&nbsp;
+ <input id="splitYesNo" class="form-check-input" type="checkbox"
+ [checked]="newModel.randomTestSet"
+ (change)="newModel.randomTestSet = !newModel.randomTestSet">
+ </h3>
+ </label>
+ </div>
+ <div class="col-8">
+ trening
+ <mat-slider style="width: 85%;" min="10" max="90" step="10" value="10"
+ name="randomTestSetDistribution" thumbLabel [disabled]="!newModel.randomTestSet"
+ [(ngModel)]="tempTestSetDistribution">
+ </mat-slider>
+ test
+ </div>
+ </div>
+
+ <div class="row p-2 mx-2">
+ <div class="col-4">
+ <label for="percentage" class="form-label">Procenat podataka koji se uzima za trening
+ skup:</label>
+ </div>
+ <div class="col-2">
+ <input id="percentage" type="number" class="form-control" min="10" max="90" step="10" value="90"
+ [(ngModel)]="tempTestSetDistribution" [disabled]="!newModel.randomTestSet">
+ </div>
+ </div>
+ </div>
+ <h3>Aktivacione funkcije:</h3>
+
+ <div class="row p-2 m-2" style="align-self: center;">
+ <div class="col-3">
+ <label for="hiddenLayerActivationFunction" class="col-form-label" style="text-align: center;">Funkcija
+ aktivacije skrivenih
+ slojeva:</label>
+ </div>
+ <div class="col-3">
+ <div *ngFor="let item of [].constructor(newModel.hiddenLayers); let i = index">
+ <div class="input-group mb-2">
+ <div class="input-group-prepend">
+ <span class="input-group-text">#{{i+1}}</span>
+ </div>
+ <select [id]="'hiddenLayerActivationFunctionOption_'+i" class="form-control"
+ [(ngModel)]="newModel.hiddenLayerActivationFunctions[i]">
+ <option
+ *ngFor="let option of Object.keys(ActivationFunction); let optionName of Object.values(ActivationFunction)"
+ [value]="option">
+ {{ optionName }}
+ </option>
+ </select>
+ </div>
+ </div>
+ </div>
+ <div class="col-3">
+ <label for="outputLayerActivationFunction" class="col-form-label" style="text-align: center;">Funkcija
+ aktivacije izlaznog
+ sloja:</label>
+ </div>
+ <div class="col-3">
+ <select id=outputLayerActivationFunctionOptions class="form-control"
+ name="outputLayerActivationFunction" [(ngModel)]="newModel.outputLayerActivationFunction">
+ <option
+ *ngFor="let option of Object.keys(ActivationFunction); let optionName of Object.values(ActivationFunction)"
+ [value]="option">
+ {{ optionName }}
+ </option>
+ </select>
+ </div>
+ <div class="col">
+ </div>
+ </div>
+ </div>
+ <br><br>
+ <hr>
+ <div class="form-check form-check-inline overflow-auto " style="width: max-content;">
+ <h3>Izaberite metrike:</h3>
+ <div id="divMetricsinput">
+
+ <div *ngFor="let option of Object.keys(metrics); let optionName of Object.values(metrics) "
+ class="form-check form-check-inline">
+
+ <input name="cbmetrics" class="form-check-input" type="checkbox" value="{{option}}"
+ id="metrics_{{option}}" style="float: left;">
+ <label class="form-check-label" for="metrics_{{option}}" for="inlineCheckbox2">
+ {{optionName}}
+ </label>
+ </div>
+ </div>
+ </div>
+ <div class="form-group row mt-5 mb-3">
+ <div class="col"></div>
+ <button class="btn btn-lg col-4" style="background-color:#003459; color:white;" (click)="addModel();">Sačuvaj
+ model</button>
+ <div class="col"></div>
+ </div>
+</div> \ No newline at end of file
diff --git a/frontend/src/app/_elements/model-load/model-load.component.spec.ts b/frontend/src/app/_elements/model-load/model-load.component.spec.ts
new file mode 100644
index 00000000..1dafd966
--- /dev/null
+++ b/frontend/src/app/_elements/model-load/model-load.component.spec.ts
@@ -0,0 +1,25 @@
+import { ComponentFixture, TestBed } from '@angular/core/testing';
+
+import { ModelLoadComponent } from './model-load.component';
+
+describe('ModelLoadComponent', () => {
+ let component: ModelLoadComponent;
+ let fixture: ComponentFixture<ModelLoadComponent>;
+
+ beforeEach(async () => {
+ await TestBed.configureTestingModule({
+ declarations: [ ModelLoadComponent ]
+ })
+ .compileComponents();
+ });
+
+ beforeEach(() => {
+ fixture = TestBed.createComponent(ModelLoadComponent);
+ component = fixture.componentInstance;
+ fixture.detectChanges();
+ });
+
+ it('should create', () => {
+ expect(component).toBeTruthy();
+ });
+});
diff --git a/frontend/src/app/_elements/model-load/model-load.component.ts b/frontend/src/app/_elements/model-load/model-load.component.ts
new file mode 100644
index 00000000..1d38de68
--- /dev/null
+++ b/frontend/src/app/_elements/model-load/model-load.component.ts
@@ -0,0 +1,79 @@
+import { Component, OnInit } from '@angular/core';
+import Shared from 'src/app/Shared';
+import Model, { ActivationFunction, Encoding, LossFunction, LossFunctionBinaryClassification, LossFunctionMultiClassification, LossFunctionRegression, Metrics, MetricsBinaryClassification, MetricsMultiClassification, MetricsRegression, NullValueOptions, Optimizer, ProblemType } from 'src/app/_data/Model';
+import { ModelsService } from 'src/app/_services/models.service';
+
+@Component({
+ selector: 'app-model-load',
+ templateUrl: './model-load.component.html',
+ styleUrls: ['./model-load.component.css']
+})
+export class ModelLoadComponent implements OnInit {
+
+ newModel: Model = new Model();
+
+ ProblemType = ProblemType;
+ Encoding = Encoding;
+ ActivationFunction = ActivationFunction;
+ metrics: any = Metrics;
+ LossFunction = LossFunction;
+ Optimizer = Optimizer;
+ Object = Object;
+ document = document;
+ shared = Shared;
+
+ term: string = "";
+ selectedProblemType: string = '';
+ selectedMetrics = [];
+ tempTestSetDistribution = 90;
+ lossFunction: any = LossFunction;
+
+ constructor(private models: ModelsService) { }
+
+ ngOnInit(): void {
+ }
+
+ getMetrics() {
+ this.newModel.metrics = [];
+ let cb = document.getElementsByName("cbmetrics");
+
+ for (let i = 0; i < cb.length; i++) {
+ let chb = <HTMLInputElement>cb[i];
+ if (chb.checked == true)
+ this.newModel.metrics.push(chb.value);
+ }
+ }
+
+ addModel() {
+ this.getMetrics();
+
+ this.newModel.randomTestSetDistribution = 1 - Math.round(this.tempTestSetDistribution / 100 * 10) / 10;
+ this.newModel.username = Shared.username;
+
+ this.models.addModel(this.newModel).subscribe((response) => {
+ Shared.openDialog('Model dodat', 'Model je uspešno dodat u bazu.');
+ // treba da se selektuje nov model u listi modela
+ }, (error) => {
+ Shared.openDialog('Greška', 'Model sa unetim nazivom već postoji u Vašoj kolekciji.\nPromenite naziv modela i nastavite sa kreiranim datasetom.');
+ });
+ }
+
+ filterOptions() {
+ switch (this.newModel.type) {
+ case 'regresioni':
+ this.lossFunction = LossFunctionRegression;
+ this.metrics = MetricsRegression;
+ break;
+ case 'binarni-klasifikacioni':
+ this.lossFunction = LossFunctionBinaryClassification;
+ this.metrics = MetricsBinaryClassification;
+ break;
+ case 'multi-klasifikacioni':
+ this.lossFunction = LossFunctionMultiClassification;
+ this.metrics = MetricsMultiClassification;
+ break;
+ default:
+ break;
+ }
+ }
+}
diff --git a/frontend/src/app/_elements/navbar/navbar.component.html b/frontend/src/app/_elements/navbar/navbar.component.html
index 82a1ea07..dbee4773 100644
--- a/frontend/src/app/_elements/navbar/navbar.component.html
+++ b/frontend/src/app/_elements/navbar/navbar.component.html
@@ -8,8 +8,9 @@
<ul class="nav col-12 col-lg-auto me-lg-auto mb-2 justify-content-center mb-md-0">
<li><a routerLink="" class="nav-link px-2"
[class]="(currentUrl === '') ? 'text-secondary' : 'text-white'">Početna</a></li>
- <li><a routerLink="add-model" class="nav-link px-2"
- [class]="(currentUrl === '/add-model') ? 'text-secondary' : 'text-white'">Dodaj model</a></li>
+ <li><a routerLink="experiment" class="nav-link px-2"
+ [class]="(currentUrl === '/add-model') ? 'text-secondary' : 'text-white'">Eksperimentiši</a>
+ </li>
<li><a routerLink="my-predictors" class="nav-link px-2"
[class]="(currentUrl === '/my-predictors') ? 'text-secondary' : 'text-white' + (shared.loggedIn) ? '' : 'disabled'">Predvidi</a>
</li>
@@ -18,7 +19,8 @@
<div *ngIf="shared.loggedIn" class="dropdown text-end">
<a href="#" class="d-block link-light text-decoration-none dropdown-toggle" id="dropdownUser1"
data-bs-toggle="dropdown" aria-expanded="false">
- <img [src]="'/assets/profilePictures/'+ shared.photoId +'.png'" alt="mdo" width="32" height="32" class="rounded-circle">
+ <img [src]="'/assets/profilePictures/'+ shared.photoId +'.png'" alt="mdo" width="32" height="32"
+ class="rounded-circle">
</a>
<ul class="dropdown-menu text-small" aria-labelledby="dropdownUser1"
style="position: absolute; inset: 0px 0px auto auto; margin: 0px; transform: translate(0px, 34px);"
diff --git a/frontend/src/app/_elements/notifications/notifications.component.html b/frontend/src/app/_elements/notifications/notifications.component.html
index d1da41b4..0b87e4fc 100644
--- a/frontend/src/app/_elements/notifications/notifications.component.html
+++ b/frontend/src/app/_elements/notifications/notifications.component.html
@@ -1,3 +1,20 @@
-<div *ngIf="notifications" class="position-fixed card card-body bg-dark text-white m-3" style="bottom: 0; right: 0;">
- <h3>Notifikacije</h3>
-</div> \ No newline at end of file
+<div *ngIf="notifications" class="position-fixed card card-body p-1 m-3" style="bottom: 0; right: 0; width: 18rem;">
+ <h2 class="m-auto" (click)="closed = !closed;" data-bs-toggle="collapse" href="#collapseNotifs" role="button"
+ aria-expanded="true" aria-controls="collapseNotifs">Notifikacije
+ <button class="border-0 bg-white">
+ <mat-icon class="position-absolute" style="top: 8px; right: 12px;">{{closed ? 'keyboard_arrow_up' :
+ 'keyboard_arrow_down'}}</mat-icon>
+ </button>
+ </h2>
+
+ <div id="collapseNotifs" class="collapse show">
+ <div *ngFor="let notification of notifications" class="p-2 m-1 border rounded">
+ <div class="d-flex flex-row">
+ <p>{{notification.title}}</p>
+ </div>
+ <div class="border-3 border-primary bg-dark m-1" style="height: 5px; margin-top: -10px !important;">
+ <div class="bg-primary" style="height: 5px;" [style]="'width: '+(notification.progress*100)+'%;'">
+ </div>
+ </div>
+ </div>
+ </div> \ No newline at end of file
diff --git a/frontend/src/app/_elements/notifications/notifications.component.ts b/frontend/src/app/_elements/notifications/notifications.component.ts
index 6c1d555b..82613448 100644
--- a/frontend/src/app/_elements/notifications/notifications.component.ts
+++ b/frontend/src/app/_elements/notifications/notifications.component.ts
@@ -1,5 +1,6 @@
import { Component, OnInit } from '@angular/core';
import { WebSocketService } from 'src/app/_services/web-socket.service';
+import Notification from 'src/app/_data/Notification';
@Component({
selector: 'app-notifications',
@@ -8,9 +9,16 @@ import { WebSocketService } from 'src/app/_services/web-socket.service';
})
export class NotificationsComponent implements OnInit {
- notifications?: any[];
+ notifications?: Notification[];
+ closed: boolean = false;
- constructor(private wsService: WebSocketService) { }
+ constructor(private wsService: WebSocketService) {
+ this.notifications = [
+ new Notification("Titanik (Preziveli)", "79768456867", 0.2),
+ new Notification("Test Prediktor 1", "56758768678", 0.4),
+ new Notification("Test Prediktor 2", "11344556425", 0.7)
+ ]
+ }
ngOnInit(): void {
// this.wsService.send('test');
diff --git a/frontend/src/app/_pages/add-model/add-model.component.html b/frontend/src/app/_pages/add-model/add-model.component.html
deleted file mode 100644
index 9d727236..00000000
--- a/frontend/src/app/_pages/add-model/add-model.component.html
+++ /dev/null
@@ -1,454 +0,0 @@
-<div id="header">
- <h1>Napravite svoj model veštačke neuronske mreže</h1>
-</div>
-
-<div id="wrapper">
- <div id="container" class="container p-5" style="background-color: white; min-height: 100%;">
- <div class="form-group row mt-3 mb-2 d-flex justify-content-center">
- <!--justify-content-center-->
- <h2 class="col-2"> Nov model: </h2>
- <div class="col-3">
- <label for="name" class="col-form-label">Naziv modela:</label>
- <input type="text" class="form-control" name="name" placeholder="Naziv..." [(ngModel)]="newModel.name">
- </div>
- <div class="col-5">
- <label for="desc" class="col-sm-2 col-form-label">Opis:</label>
- <div>
- <textarea class="form-control" name="desc" rows="3" [(ngModel)]="newModel.description"></textarea>
- </div>
- </div>
- <div class="col-2">
- <label for="dateCreated" class="col-form-label">Datum:</label> &nbsp;&nbsp;
- <input type="text" class="form-control-plaintext" id="dateCreated" placeholder="--/--/--"
- value="{{newModel.dateCreated | date: 'dd/MM/yyyy'}}" readonly>
- </div>
- </div>
-
- <div class="py-3 pr-5 justify-content-center">
-
- <!--Od naslova Izvor podataka pa sve do prikaza tabele (i to) premesteno u dataset-load.component-->
- <app-dataset-load (selectedDatasetChangeEvent)="datasetHasChanged($event)"></app-dataset-load>
-
- </div>
-
- <!-- ULAZNE/IZLAZNE KOLONE -->
- <span id="selectInAndOuts"></span>
- <div
- *ngIf="selectedDataset && ((showMyDatasets) || (!showMyDatasets))">
- <!--postignuto da se kod newdataseta ucita tabela pa ulazi/izlazi. ostalo srediti to kod mydatasets(dopuna 2. uslova)-->
- <div class="row">
- <div class="col d-flex justify-content-center">
- <h3>Izaberite ulazne kolone:</h3>
- <div id="divInputs" class="form-check mt-2">
- <br>
- <div *ngFor="let item of selectedDataset.header; let i = index">
- <input class="form-check-input" type="checkbox" value="{{item}}" id="cb_{{item}}"
- name="cbsNew" [checked]="this.selectedOutputColumnVal != item"
- [disabled]="this.selectedOutputColumnVal == item">&nbsp;
- <label class="form-check-label" for="cb_{{item}}">
- {{item}}
- </label>
- </div>
- </div>
- </div>
- <div class="col d-flex justify-content-left">
- <h3>Izaberite izlaznu kolonu:</h3>
- <div id="divOutputs" class="form-check mt-2">
- <br>
- <div *ngFor="let item of selectedDataset.header; let i = index">
- <input class="form-check-input" type="radio" value="{{item}}" id="rb_{{item}}" name="rbsNew"
- (change)="this.selectedOutputColumnVal = item">&nbsp;
- <label class="form-check-label" for="rb_{{item}}">
- {{item}}
- </label>
- </div>
- </div>
- </div>
-
-
- <div class="mt-5" *ngIf="datasetFile">
- <h2>Popunjavanje nedostajućih vrednosti:</h2>
- <div class="form-check">
- <input type="radio" [(ngModel)]="newModel.nullValues" [value]="NullValueOptions.DeleteRows"
- class="form-check-input" value="deleteRows" name="fillMissing" id="delRows" checked
- data-bs-toggle="collapse" data-bs-target="#fillMissingCustom.show">
- <label for="delRows" class="form-check-label">Obriši sve
- redove sa nedostajućim vrednostima</label><br>
- <input type="radio" [(ngModel)]="newModel.nullValues" [value]="NullValueOptions.DeleteColumns"
- class="form-check-input" value="deleteCols" name="fillMissing" id="delCols"
- data-bs-toggle="collapse" data-bs-target="#fillMissingCustom.show">
- <label for="delCols" class="form-check-label">Obriši sve
- kolone sa nedostajućim vrednostima</label><br>
- <input type="radio" [(ngModel)]="newModel.nullValues" [value]="NullValueOptions.Replace"
- class="form-check-input" name="fillMissing" id="replace" data-bs-toggle="collapse"
- data-bs-target="#fillMissingCustom:not(.show)">
- <label for="replace" class="form-check-label">Izabraću
- vrednosti koje će da zamene nedostajuće vrednosti za svaku kolonu...</label><br><br>
- <div class="collapse" id="fillMissingCustom">
- <div>
- <label for="columnReplacers" class="form-label">Unesite zamenu za svaku kolonu:</label>
- <div id="columnReplacers">
- <!--Ulazne kolone - popunjavanje null vrednosti -->
- <div *ngFor="let column of selectedDataset.header; let i = index" class="my-3">
- <div *ngIf="getInputById('cb_'+column).checked" class="">
- <span class="w-20 mx-3">
- {{column}}&nbsp;<span class="small"
- style="color:gray;">({{calculateSumOfNullValuesInCol(column)}}
- null)</span>
- </span>
-
- <label *ngIf="calculateSumOfNullValuesInCol(column)==0"
- class="text-center form-control mx-3 text-secondary">Ova kolona nema
- nedostajućih
- vrednosti.</label>
-
- <div *ngIf="calculateSumOfNullValuesInCol(column)!=0"
- class="d-flex flex-row justify-content-end">
- <div class="flex-grow-3 mx-3 me-auto">
- <div class="input-group">
- <div class="input-group-prepend">
- <label [for]="'fillCol_'+column" class="form-control">
- Zameni
- <input type="radio" [id]="'fillCol_'+column"
- [name]="'delOp_'+column">
- </label>
- </div>
- <input type="text" class="form-control"
- [id]="'fillText_'+column"
- (keyup)="checkFillColRadio(column)"
- placeholder="Unesi vrednost...">
-
- <div class="input-group-append">
- <select [id]="'replaceOptions'+i"
- class="form-control btn-primary"
- *ngIf="isNumber(datasetFile[1][i])"
- (change)="replaceWithSelectedNumber($event);">
- <option
- *ngFor="let option of Object.keys(ReplaceWith); let optionName of Object.values(ReplaceWith)"
- [value]="option">
- {{ optionName }}
- </option>
- </select>
- <select [id]="'replaceOptions'+i"
- class="form-control btn-outline-primary"
- *ngIf="!isNumber(datasetFile[1][i]) && calculateSumOfNullValuesInCol(column)!=0"
- (change)="replaceWithSelectedString($event);">
- <option
- *ngFor="let option of arrayColumn(datasetFile, i)"
- [value]="option">
- {{ option }}
- </option>
- </select>
- </div>
- </div>
- </div>
-
- <div class="flex-shrink-1 mx-3">
- <div class="input-group">
- <label class="form-control" [for]="'delCol_'+column">Izbriši
- kolonu
- <input type="radio" [id]="'delCol_'+column"
- [name]="'delOp_'+column"
- (change)="emptyFillTextInput(column)"></label>
- </div>
- </div>
-
- <div class="flex-shrink-1 mx-3">
- <div class="input-group">
- <label class="form-control" [for]="'delRows_'+column">Izbriši
- redove
- <input type="radio" [id]="'delRows_'+column"
- [name]="'delOp_'+column" checked
- (change)="emptyFillTextInput(column)"></label>
- </div>
- </div>
- </div>
- </div>
- </div>
- <!--Izlazna kolona - popunjavanje null vrednosti -->
- <div *ngFor="let column of selectedDataset.header; let i = index" class="my-3">
- <!--moze bez for petlje (this.selectedOutputColumnVal je id), al ne moze ova fja array column onda-->
- <div class="input-group row" *ngIf="getInputById('rb_'+column).checked">
- <span class="input-group-text col-2 text-center">
- {{column}}&nbsp;<span class="small"
- style="color:gray;">({{calculateSumOfNullValuesInCol(column)}}
- null)</span>
- </span>
- <label *ngIf="calculateSumOfNullValuesInCol(column)==0"
- class="form-control">Ova kolona nema nedostajućih vrednosti.</label>
-
- <input *ngIf="calculateSumOfNullValuesInCol(column)!=0" type="radio"
- [id]="'fillCol_'+column" class="col-1 mt-2" [name]="'delOp_'+column">
- <!--OVDE SREDI IZGLED-->
- <select [id]="'replaceOptions'+i" class="form-control col-2"
- *ngIf="isNumber(datasetFile[1][i]) && calculateSumOfNullValuesInCol(column)!=0"
- (change)="replaceWithSelectedNumber($event);">
- <option
- *ngFor="let option of Object.keys(ReplaceWith); let optionName of Object.values(ReplaceWith)"
- [value]="option">
- {{ optionName }}
- </option>
- </select>
- <select [id]="'replaceOptions'+i" class="form-control col-2"
- *ngIf="!isNumber(datasetFile[1][i]) && calculateSumOfNullValuesInCol(column)!=0"
- (change)="replaceWithSelectedString($event);">
- <option *ngFor="let option of arrayColumn(datasetFile, i)"
- [value]="option">
- {{ option }}
- </option>
- </select>
- <input *ngIf="calculateSumOfNullValuesInCol(column)!=0" type="text"
- class="form-control col-1" [id]="'fillText_'+column"
- (keyup)="checkFillColRadio(column)" placeholder="Unesi vrednost...">
-
- <label *ngIf="calculateSumOfNullValuesInCol(column)!=0"
- class="form-control col-2" [for]="'delCol_'+column">Izbriši kolonu
- <input type="radio" [id]="'delCol_'+column" [name]="'delOp_'+column"
- (change)="emptyFillTextInput(column)"></label>
- <label *ngIf="calculateSumOfNullValuesInCol(column)!=0"
- class="form-control col-2" [for]="'delRows_'+column">Izbriši redove
- <input type="radio" [id]="'delRows_'+column" [name]="'delOp_'+column"
- (change)="emptyFillTextInput(column)" checked></label>
- </div>
- </div>
-
- </div>
- </div>
- </div>
- </div>
- </div>
- </div>
- </div>
-
- <h2 class="mt-5 mb-4">Parametri treniranja:</h2>
-
- <!--**********************************************************TIP*********************************************************-->
- <div>
- <div class="row p-2">
- <div class="col-1">
- </div>
- <div class="col-3">
- <label for="type" class="col-form-label">Tip problema: </label>
- </div>
- <div class="col-2">
- <select id=typeOptions class="form-control" name="type" [(ngModel)]="newModel.type"
- (change)="filterOptions()">
- <option
- *ngFor="let option of Object.keys(ProblemType); let optionName of Object.values(ProblemType)"
- [value]="option">
- {{ optionName }}
- </option>
- </select>
- </div>
- <!--******************************************************************************************************************-->
- <div class="col-1">
- </div>
- <div class="col-3">
- <label for="hiddenLayers" class="col-form-label">Broj skrivenih slojeva: </label>
- </div>
- <div class="col-1">
- <input type="number" min="1" class="form-control" name="hiddenLayers"
- [(ngModel)]="newModel.hiddenLayers"
- (change)="newModel.hiddenLayerActivationFunctions = [].constructor(newModel.hiddenLayers).fill(newModel.hiddenLayerActivationFunctions[0])">
- </div>
- </div>
-
- <div class="row p-2">
- <!--***********************************ENKODER*********************************************-->
-
- <div class="col-1">
- </div>
- <div class="col-3">
- <label for="encoding" class="col-form-label">Enkoding: </label>
- </div>
- <div class="col-2">
- <select id=encodingOptions class="form-control" name="encoding" [(ngModel)]="newModel.encoding">
- <option *ngFor="let option of Object.keys(Encoding); let optionName of Object.values(Encoding)"
- [value]="option">
- {{ optionName }}
- </option>
- </select>
- </div>
-
- <!--***********************************BROJ NEURONA SKRIVENOG SLOJA*********************************************-->
-
- <div class="col-1">
- </div>
- <div class="col-3">
- <label for="hiddenLayerNeurons" class="col-form-label">Broj neurona skrivenih slojeva: </label>
- </div>
- <div class="col-1">
- <input type="number" min="1" class="form-control" name="hiddenLayerNeurons"
- [(ngModel)]="newModel.hiddenLayerNeurons">
- </div>
- </div>
- <!--***********************************OPTIMIZACIJA*********************************************-->
-
- <div class="row p-2">
- <div class="col-1">
- </div>
- <div class="col-3">
- <label for="optimizer" class="col-form-label">Optimizacija: </label>
- </div>
- <div class="col-2">
- <select id=optimizerOptions class="form-control" name="optimizer" [(ngModel)]="newModel.optimizer">
- <option
- *ngFor="let option of Object.keys(Optimizer); let optionName of Object.values(Optimizer)"
- [value]="option">
- {{ optionName }}
- </option>
- </select>
- </div>
- <div class="col-1">
- </div>
- <div class="col-3">
- <label for="batchSize" class="col-form-label">Broj uzorka po iteraciji: </label>
- </div>
- <div class="col-1">
- <input type="number" min="1" class="form-control" name="batchSize" [(ngModel)]="newModel.batchSize">
- </div>
- </div>
- <div class="row p-2">
- <div class="col-1">
- </div>
- <div class="col-3">
- <label for="lossFunction" class="col-form-label">Funkcija obrade gubitka: </label>
- </div>
- <div class="col-2">
- <select id=lossFunctionOptions class="form-control" name="lossFunction"
- [(ngModel)]="newModel.lossFunction" aria-checked="true">
- <option
- *ngFor="let option of Object.keys(lossFunction); let optionName of Object.values(lossFunction)"
- [value]="option">
- {{ optionName }}
- </option>
- </select>
- </div>
- <div class="col-1"></div>
- <div class="col-3 mt-2">
- <label for="type" class="form-check-label">Nasumičan redosled podataka?</label>
- <input class="mx-3 form-check-input" type="checkbox" [(ngModel)]="newModel.randomOrder"
- type="checkbox" value="" checked>
- </div>
- </div>
- <!--************************************************************************************************* -->
- <div class="border m-3">
- <div class="row p-2 m-2">
- <div class="col-4">
- <label for="splitYesNo" class="form-check-label">
- <h3>Podela test skupa:&nbsp;&nbsp;
- <input id="splitYesNo" class="form-check-input" type="checkbox"
- [checked]="newModel.randomTestSet"
- (change)="newModel.randomTestSet = !newModel.randomTestSet">
- </h3>
- </label>
- </div>
- <div class="col-8">
- trening
- <mat-slider style="width: 85%;" min="10" max="90" step="10" value="10"
- name="randomTestSetDistribution" thumbLabel [disabled]="!newModel.randomTestSet"
- [(ngModel)]="tempTestSetDistribution">
- </mat-slider>
- test
- </div>
- </div>
-
- <div class="row p-2 mx-2">
- <div class="col-4">
- <label for="percentage" class="form-label">Procenat podataka koji se uzima za trening
- skup:</label>
- </div>
- <div class="col-2">
- <input id="percentage" type="number" class="form-control" min="10" max="90" step="10" value="90"
- [(ngModel)]="tempTestSetDistribution" [disabled]="!newModel.randomTestSet">
- </div>
- </div>
- </div>
-
- <!--***********************************AKTIVACIONE FUNKCIJE*********************************************-->
- <h3>Aktivacione funkcije:</h3>
-
- <div class="row p-2 m-2" style="align-self: center;">
- <div class="col-3">
- <label for="hiddenLayerActivationFunction" class="col-form-label"
- style="text-align: center;">Funkcija aktivacije skrivenih
- slojeva:</label>
- </div>
- <div class="col-3">
- <div *ngFor="let item of [].constructor(newModel.hiddenLayers); let i = index">
- <div class="input-group mb-2">
- <div class="input-group-prepend">
- <span class="input-group-text">#{{i+1}}</span>
- </div>
- <select [id]="'hiddenLayerActivationFunctionOption_'+i" class="form-control"
- [(ngModel)]="newModel.hiddenLayerActivationFunctions[i]">
- <option
- *ngFor="let option of Object.keys(ActivationFunction); let optionName of Object.values(ActivationFunction)"
- [value]="option">
- {{ optionName }}
- </option>
- </select>
- </div>
- </div>
- </div>
- <div class="col-3">
- <label for="outputLayerActivationFunction" class="col-form-label"
- style="text-align: center;">Funkcija aktivacije izlaznog
- sloja:</label>
- </div>
- <div class="col-3">
- <select id=outputLayerActivationFunctionOptions class="form-control"
- name="outputLayerActivationFunction" [(ngModel)]="newModel.outputLayerActivationFunction">
- <option
- *ngFor="let option of Object.keys(ActivationFunction); let optionName of Object.values(ActivationFunction)"
- [value]="option">
- {{ optionName }}
- </option>
- </select>
- </div>
- <div class="col">
- </div>
- </div>
- </div>
-
- <br><br>
- <!--**********************************************METRIKE ZA KOMPAJLER I GRAFIKE***********************************************-->
-
- <hr>
- <div class="form-check form-check-inline overflow-auto " style="width: max-content;">
- <h3>Izaberite metrike:</h3>
- <div id="divMetricsinput">
-
- <div *ngFor="let option of Object.keys(metrics); let optionName of Object.values(metrics) "
- class="form-check form-check-inline">
-
- <input name="cbmetrics" class="form-check-input" type="checkbox" value="{{option}}"
- id="metrics_{{option}}" style="float: left;">
- <label class="form-check-label" for="metrics_{{option}}" for="inlineCheckbox2">
- {{optionName}}
- </label>
- </div>
- </div>
- </div>
- <!--<app-annvisual [model]="newModel"></app-annvisual>-->
- <div class="form-group row mt-5 mb-3">
- <div class="col"></div>
- <button class="btn btn-lg col-4" style="background-color:#003459; color:white;"
- (click)="addModel();">Sačuvaj model</button>
- <div class="col"></div>
- <button class="btn btn-lg col-4" style="background-color:#003459; color:white;"
- (click)="trainModel();">Treniraj model</button>
- <div class="col"></div>
- </div>
-
- <div class="m-3" *ngIf="trainingResult">
- <h2>Rezultati treniranja</h2>
- <p>
- {{trainingResult}}
- </p>
- </div>
- </div>
-</div>
-
-<!--<button
- (click)="calculateSumOfNullValuesInCol('Embarked'); calculateMeanColValue('Age');calculateMedianColValue('Age'); getNullValuesReplacersArray();">DUGME</button>--> \ No newline at end of file
diff --git a/frontend/src/app/_pages/add-model/add-model.component.ts b/frontend/src/app/_pages/add-model/add-model.component.ts
deleted file mode 100644
index 192fc6ff..00000000
--- a/frontend/src/app/_pages/add-model/add-model.component.ts
+++ /dev/null
@@ -1,508 +0,0 @@
-import { Component, OnInit, ViewChild } from '@angular/core';
-import Model, { LossFunctionBinaryClassification, LossFunctionMultiClassification, LossFunctionRegression, NullValReplacer, ReplaceWith } from 'src/app/_data/Model';
-import { ProblemType, Encoding, ActivationFunction, LossFunction, Optimizer, NullValueOptions, Metrics, MetricsRegression, MetricsBinaryClassification, MetricsMultiClassification } from 'src/app/_data/Model';
-import { DatasetLoadComponent } from 'src/app/_elements/dataset-load/dataset-load.component';
-import { ModelsService } from 'src/app/_services/models.service';
-import shared from 'src/app/Shared';
-import Dataset from 'src/app/_data/Dataset';
-import { DatasetsService } from 'src/app/_services/datasets.service';
-import { CsvParseService } from 'src/app/_services/csv-parse.service';
-
-
-@Component({
- selector: 'app-add-model',
- templateUrl: './add-model.component.html',
- styleUrls: ['./add-model.component.css']
-})
-export class AddModelComponent implements OnInit {
-
- newModel: Model;
-
- ProblemType = ProblemType;
- Encoding = Encoding;
- ActivationFunction = ActivationFunction;
- metrics: any = Metrics;
- LossFunction = LossFunction;
- lossFunction: any = LossFunction;
- Optimizer = Optimizer;
- NullValueOptions = NullValueOptions;
- ReplaceWith = ReplaceWith;
- Object = Object;
- document = document;
- shared = shared;
-
- selectedOutputColumnVal: string = '';
-
- showMyDatasets: boolean = true;
- myDatasets?: Dataset[];
- existingDatasetSelected: boolean = false;
- selectedDataset?: Dataset;
- otherDataset?: Dataset;
- otherDatasetFile?: any[];
- datasetFile?: any[];
- datasetHasHeader?: boolean = true;
-
- tempTestSetDistribution: number = 90;
-
- //accepted: Boolean;
- term: string = "";
-
- selectedProblemType: string = '';
- selectedMetrics = [];
-
- trainingResult: string | undefined;
-
- constructor(private models: ModelsService, private datasets: DatasetsService, private csv: CsvParseService) {
- this.newModel = new Model();
-
- this.datasets.getMyDatasets().subscribe((datasets) => {
- this.myDatasets = datasets;
- });
- }
-
- ngOnInit(): void {
- (<HTMLInputElement>document.getElementById("btnMyDataset")).focus();
- }
-
- datasetHasChanged(selectedDataset: Dataset) {
- this.selectedDataset = selectedDataset;
- this.resetCbsAndRbs();
- this.refreshThreeNullValueRadioOptions();
- }
-
- /*viewMyDatasetsForm() {
- this.showMyDatasets = true;
- this.resetSelectedDataset();
- //this.datasetLoaded = false;
- this.resetCbsAndRbs();
- }
- viewNewDatasetForm() {
- this.showMyDatasets = false;
- this.resetSelectedDataset();
- this.resetCbsAndRbs();
- }*/
-
- addModel() {
- if (!this.showMyDatasets)
- this.saveModelWithNewDataset(_ => { console.log('MODEL ADDED (with new dataset).') });
- else
- this.saveModelWithExistingDataset(_ => { console.log('MODEL ADDED (with existing dataset).') });
- }
-
- trainModel() {
- let saveFunc;
- this.trainingResult = undefined;
-
- if (!this.showMyDatasets)
- saveFunc = (x: (arg0: any) => void) => { this.saveModelWithNewDataset(x) };
- else
- saveFunc = (x: (arg0: any) => void) => { this.saveModelWithExistingDataset(x) };
-
- saveFunc(((model: any) => {
- console.log('Saved, training model...', model);
- this.models.trainModel(model).subscribe(response => {
- console.log('Train model complete!', response);
- this.trainingResult = response;
- });
- })); //privremeno cuvanje modela => vraca id sacuvanog modela koji cemo da treniramo sad
- }
-
- saveModelWithNewDataset(callback: ((arg0: any) => void)) {
-
- this.getCheckedInputCols();
- this.getCheckedOutputCol();
- this.getMetrics();
-
- if (this.validationInputsOutput()) {
- console.log('ADD MODEL: STEP 1 - UPLOAD FILE');
- if (this.selectedDataset) {
- //console.log("this.datasetLoadComponent.files:", this.datasetLoadComponent.files);
- /*this.models.uploadData(this.datasetLoadComponent.files[0]).subscribe((file) => { ZAKOMENTARISANO ZBOG KOMPAJLERSKE GRESKE TOKOM REORGANIZACIJE
- console.log('ADD MODEL: STEP 2 - ADD DATASET WITH FILE ID ' + file._id);
- if (this.selectedDataset) {
- this.selectedDataset!.fileId = file._id;
- this.selectedDataset!.username = shared.username;
-
- this.datasets.addDataset(this.selectedDataset!).subscribe((dataset) => {
- console.log('ADD MODEL: STEP 3 - ADD MODEL WITH DATASET ID ', dataset._id);
- this.newModel.datasetId = dataset._id;
-
- //da se doda taj dataset u listu postojecih, da bude izabran
- this.refreshMyDatasetList(); MORA OVO
- this.showMyDatasets = true;
- this.selectThisDataset(dataset);
-
- this.newModel.randomTestSetDistribution = 1 - Math.round(this.tempTestSetDistribution / 100 * 10) / 10;
- this.tempTestSetDistribution = 90;
- this.newModel.username = shared.username;
-
- this.newModel.nullValuesReplacers = this.getNullValuesReplacersArray();
-
- this.models.addModel(this.newModel).subscribe((response) => {
- callback(response);
- }, (error) => {
- shared.openDialog("Neuspeo pokušaj!", "Model sa unetim nazivom već postoji u Vašoj kolekciji. Promenite naziv modela i nastavite sa kreiranim datasetom.");
- }); //kraj addModel subscribe
- }, (error) => {
- shared.openDialog("Neuspeo pokušaj!", "Dataset sa unetim nazivom već postoji u Vašoj kolekciji. Izmenite naziv ili iskoristite postojeći dataset.");
- }); //kraj addDataset subscribe
- } //kraj treceg ifa
- }, (error) => {
-
- }); //kraj uploadData subscribe*/
-
- } //kraj drugog ifa
- } //kraj prvog ifa
- }
-
- saveModelWithExistingDataset(callback: ((arg0: any) => void)): any {
- if (this.selectedDataset) { //dataset je izabran
- this.getCheckedInputCols();
- this.getCheckedOutputCol();
- this.getMetrics();
- if (this.validationInputsOutput()) {
- this.newModel.datasetId = this.selectedDataset._id;
-
- this.newModel.randomTestSetDistribution = 1 - Math.round(this.tempTestSetDistribution / 100 * 10) / 10;
- this.tempTestSetDistribution = 90;
- this.newModel.username = shared.username;
-
- this.newModel.nullValuesReplacers = this.getNullValuesReplacersArray();
-
- this.models.addModel(this.newModel).subscribe((response) => {
- callback(response);
- }, (error) => {
- shared.openDialog("Neuspeo pokušaj!", "Model sa unetim nazivom već postoji u Vašoj kolekciji. Promenite naziv modela i nastavite sa kreiranim datasetom.");
- });
- }
- }
- else {
- shared.openDialog("Obaveštenje", "Molimo Vas da izaberete neki dataset iz kolekcije.");
- }
- }
-
- getCheckedInputCols() {
- this.newModel.inputColumns = [];
- let checkboxes: any;
-
- checkboxes = document.getElementsByName("cbsNew");
-
- for (let i = 0; i < checkboxes.length; i++) {
- let thatCb = <HTMLInputElement>checkboxes[i];
- if (thatCb.checked == true) // && thatCb.disabled == false ne treba nam ovo vise
- this.newModel.inputColumns.push(thatCb.value);
- }
- //console.log(this.checkedInputCols);
- }
- getCheckedOutputCol() {
- this.newModel.columnToPredict = '';
- let radiobuttons: any;
-
- radiobuttons = document.getElementsByName("rbsNew");
-
- for (let i = 0; i < radiobuttons.length; i++) {
- let thatRb = <HTMLInputElement>radiobuttons[i];
- if (thatRb.checked) {
- this.newModel.columnToPredict = thatRb.value;
- break;
- }
- }
- //console.log(this.checkedOutputCol);
- }
- validationInputsOutput(): boolean {
- if (this.newModel.inputColumns.length == 0 && this.newModel.columnToPredict == '') {
- shared.openDialog("Neuspeo pokušaj!", "Molimo Vas da izaberete ulazne i izlazne kolone za mrežu.");
- return false;
- }
- else if (this.newModel.inputColumns.length == 0) {
- shared.openDialog("Neuspeo pokušaj!", "Molimo Vas da izaberete ulaznu kolonu/kolone za mrežu.");
- return false;
- }
- else if (this.newModel.columnToPredict == '') {
- shared.openDialog("Neuspeo pokušaj!", "Molimo Vas da izaberete izlaznu kolonu za mrežu.");
- return false;
- }
- for (let i = 0; i < this.newModel.inputColumns.length; i++) {
- if (this.newModel.inputColumns[i] == this.newModel.columnToPredict) {
- let colName = this.newModel.columnToPredict;
- shared.openDialog("Neuspeo pokušaj!", "Izabrali ste istu kolonu (" + colName + ") kao ulaznu i izlaznu iz mreže. Korigujte izbor.");
- return false;
- }
- }
- return true;
- }
-
- /*selectThisDataset(dataset: Dataset) {
- this.selectedDataset = dataset;
- //this.selectedDatasetLoaded = false;
- this.existingDatasetSelected = true;
- this.datasetHasHeader = this.selectedDataset.hasHeader;
-
- this.datasets.getDatasetFile(dataset.fileId).subscribe((file: string | undefined) => {
- if (file) {
- this.datasetFile = this.csv.csvToArray(file, (dataset.delimiter == "razmak") ? " " : (dataset.delimiter == "") ? "," : dataset.delimiter);
- //for (let i = this.datasetFile.length - 1; i >= 0; i--) { //moguce da je vise redova na kraju fajla prazno i sl.
- //if (this.datasetFile[i].length != this.datasetFile[0].length)
- //this.datasetFile[i].pop();
- //else
- // break; //nema potrebe dalje
- //}
- //console.log(this.datasetFile);
- this.resetCbsAndRbs();
- this.refreshThreeNullValueRadioOptions();
- //this.selectedDatasetLoaded = true;
- this.scrollToNextForm();
- }
- });
- //this.datasetHasHeader = false;
- }*/
-
- scrollToNextForm() {
- (<HTMLSelectElement>document.getElementById("selectInAndOuts")).scrollIntoView({
- behavior: "smooth",
- block: "start",
- inline: "nearest"
- });
- }
-
- /*resetSelectedDataset(): boolean {
- const temp = this.selectedDataset;
- this.selectedDataset = this.otherDataset;
- this.otherDataset = temp;
- const tempFile = this.datasetFile;
- this.datasetFile = this.otherDatasetFile;
- this.otherDatasetFile = tempFile;
- return true;
- }*/
- resetCbsAndRbs(): boolean {
- this.uncheckRbs();
- this.checkAllCbs();
- return true;
- }
- checkAllCbs() {
- let checkboxes: any;
-
- checkboxes = document.getElementsByName("cbsNew");
- for (let i = 0; i < checkboxes.length; i++) {
- (<HTMLInputElement>checkboxes[i]).checked = true;
- (<HTMLInputElement>checkboxes[i]).disabled = false;
- }
- }
- uncheckRbs() {
- this.selectedOutputColumnVal = '';
- let radiobuttons: any;
-
- radiobuttons = document.getElementsByName("rbsNew");
- for (let i = 0; i < radiobuttons.length; i++)
- (<HTMLInputElement>radiobuttons[i]).checked = false;
- }
-
- refreshMyDatasetList() {
- this.datasets.getMyDatasets().subscribe((datasets) => {
- this.myDatasets = datasets;
- });
- }
-
- refreshThreeNullValueRadioOptions() {
- this.newModel.nullValues = NullValueOptions.DeleteRows;
- }
-
- isChecked(someId: string) { //proveri ako je element sa datim ID-em cek
- return (<HTMLInputElement>document.getElementById(someId)).checked;
- }
-
- isNumber(value: string | number): boolean {
- return ((value != null) &&
- (value !== '') &&
- !isNaN(Number(value.toString())));
- }
-
- findColIndexByName(colName: string): number {
- if (this.datasetFile)
- for (let i = 0; i < this.datasetFile[0].length; i++)
- if (colName === this.datasetFile[0][i])
- return i;
- return -1;
- }
- findColNameByIndex(index: number): string {
- if (this.datasetFile)
- if (this.datasetHasHeader && index < this.datasetFile[0].length)
- return this.datasetFile[0][index];
- return '';
- }
- emptyFillTextInput(colName: string) {
- (<HTMLInputElement>document.getElementById("fillText_" + colName)).value = "";
- }
-
- checkFillColRadio(colName: string) {
- (<HTMLInputElement>document.getElementById("fillCol_" + colName)).checked = true;
- }
- calculateSumOfNullValuesInCol(colName: string): number {
- //console.log(this.datasetFile);
- if (this.datasetFile) {
- let colIndex = this.findColIndexByName(colName);
- let sumOfNulls = 0;
-
- let startValue = (this.selectedDataset!.hasHeader) ? 1 : 0;
- for (let i = startValue; i < this.datasetFile.length; i++) {
- if (this.datasetFile[i][colIndex] == "" || this.datasetFile[i][colIndex] == undefined)
- ++sumOfNulls;
- }
- return sumOfNulls;
- }
- return -1;
- }
- calculateMeanColValue(colName: string): number {
- if (this.datasetFile) {
- let colIndex = this.findColIndexByName(colName);
- let sum = 0;
- let n = 0;
-
- let startValue = (this.selectedDataset!.hasHeader) ? 1 : 0;
- for (let i = startValue; i < this.datasetFile.length; i++)
- if (this.datasetFile[i][colIndex] != '') {
- sum += Number(this.datasetFile[i][colIndex]);
- ++n;
- }
- console.log(sum / n);
- return (sum != 0) ? (sum / n) : 0;
- }
- return 0;
- }
- calculateMedianColValue(colName: string): number {
- if (this.datasetFile) {
- let array = [];
- let colIndex = this.findColIndexByName(colName);
-
- let startValue = (this.datasetHasHeader) ? 1 : 0;
- for (let i = startValue; i < this.datasetFile.length; i++)
- if (this.datasetFile[i][colIndex] != '')
- array.push(Number(this.datasetFile[i][colIndex]));
-
- array.sort();
- if (array.length % 2 == 0)
- return array[array.length / 2 - 1] / 2;
- else
- return array[(array.length - 1) / 2];
- }
- return 0;
- }
- replaceWithSelectedString(event: Event) {
- let value = (<HTMLInputElement>event.target).value;
- let colIndex = Number(((<HTMLSelectElement>event.target).id).split("replaceOptions")[1]);
- let colName = this.findColNameByIndex(colIndex);
-
- (<HTMLInputElement>document.getElementById("fillCol_" + colName)).checked = true;
-
- if (!this.datasetHasHeader)
- (<HTMLInputElement>document.getElementById("fillText_" + colName)).value = value;
- else {
- if (value == colName)
- (<HTMLInputElement>document.getElementById("fillText_" + colName)).value = "";
- else
- (<HTMLInputElement>document.getElementById("fillText_" + colName)).value = value;
- }
- }
- replaceWithSelectedNumber(event: Event) {
- let option = (<HTMLInputElement>event.target).value;
- let colIndex = Number(((<HTMLSelectElement>event.target).id).split("replaceOptions")[1]);
- let colName = this.findColNameByIndex(colIndex);
-
- (<HTMLInputElement>document.getElementById("fillCol_" + colName)).checked = true;
-
- if (option == ReplaceWith.Mean)
- (<HTMLInputElement>document.getElementById("fillText_" + colName)).value = this.calculateMeanColValue(colName).toString();
- else if (option == ReplaceWith.Median)
- (<HTMLInputElement>document.getElementById("fillText_" + colName)).value = this.calculateMedianColValue(colName).toString();
- else if (option == ReplaceWith.None)
- (<HTMLInputElement>document.getElementById("fillText_" + colName)).value = "";
- }
-
-
- getNullValuesReplacersArray(): NullValReplacer[] {
- let array: NullValReplacer[] = [];
-
- if (this.datasetFile) {
-
- if (this.newModel.nullValues == NullValueOptions.Replace) {
-
- for (let i = 0; i < this.datasetFile[0].length; i++) {
- let column = this.datasetFile[0][i];
-
- if (this.calculateSumOfNullValuesInCol(column) > 0) { //ako kolona nema null vrednosti, ne dodajemo je u niz
- if ((<HTMLInputElement>document.getElementById("delCol_" + column)).checked) {
- array.push({
- column: column,
- option: NullValueOptions.DeleteColumns,
- value: ""
- });
- }
- else if ((<HTMLInputElement>document.getElementById("delRows_" + column)).checked) {
- array.push({
- column: column,
- option: NullValueOptions.DeleteRows,
- value: ""
- });
- }
- else if (((<HTMLInputElement>document.getElementById("fillCol_" + column)).checked)) {
- array.push({
- column: column,
- option: NullValueOptions.Replace,
- value: (<HTMLInputElement>document.getElementById("fillText_" + column)).value
- });
- }
- }
- }
- }
- }
- //console.log(array);
- return array;
- }
-
- getInputById(id: string): HTMLInputElement {
- return document.getElementById(id) as HTMLInputElement;
- }
-
- arrayColumn = (arr: any[][], n: number) => [...this.dropEmptyString(new Set(arr.map(x => x[n])))];
-
- dropEmptyString(set: Set<any>): Set<string> {
- if (set.has(""))
- set.delete("");
- if (set.has(null))
- set.delete(null);
- if (set.has(undefined))
- set.delete(undefined);
- return set;
- }
-
- filterOptions() {
- switch (this.newModel.type) {
- case 'regresioni':
- this.lossFunction = LossFunctionRegression;
- this.metrics = MetricsRegression;
- break;
- case 'binarni-klasifikacioni':
- this.lossFunction = LossFunctionBinaryClassification;
- this.metrics = MetricsBinaryClassification;
- break;
- case 'multi-klasifikacioni':
- this.lossFunction = LossFunctionMultiClassification;
- this.metrics = MetricsMultiClassification;
- break;
- default:
- break;
- }
- }
-
- getMetrics() {
- this.newModel.metrics = [];
- let cb = document.getElementsByName("cbmetrics");
-
- for (let i = 0; i < cb.length; i++) {
- let chb = <HTMLInputElement>cb[i];
- if (chb.checked == true)
- this.newModel.metrics.push(chb.value);
- }
-
- }
-}
diff --git a/frontend/src/app/_services/auth.service.ts b/frontend/src/app/_services/auth.service.ts
index ccfbe15f..a108f8db 100644
--- a/frontend/src/app/_services/auth.service.ts
+++ b/frontend/src/app/_services/auth.service.ts
@@ -33,6 +33,7 @@ export class AuthService {
var token = this.cookie.get('token');
var property=jwtHelper.decodeToken(this.cookie.get('token'));
var username=property['name'];
+ var userId = property['id'];
return !jwtHelper.isTokenExpired(token) && username!="";
}
return false;
@@ -89,6 +90,7 @@ export class AuthService {
console.log("decoded:", decodedToken);
this.shared.loggedIn = this.isAuthenticated();
this.shared.username = decodedToken.name;
+ this.shared.userId = decodedToken.id;
this.enableAutoRefresh();
}
}
diff --git a/frontend/src/app/app-routing.module.ts b/frontend/src/app/app-routing.module.ts
index fd827ac9..93431397 100644
--- a/frontend/src/app/app-routing.module.ts
+++ b/frontend/src/app/app-routing.module.ts
@@ -2,7 +2,6 @@ import { NgModule } from '@angular/core';
import { RouterModule, Routes } from '@angular/router';
import { AuthGuardService } from './_services/auth-guard.service';
-import { AddModelComponent } from './_pages/add-model/add-model.component';
import { HomeComponent } from './_pages/home/home.component';
import { MyDatasetsComponent } from './_pages/my-datasets/my-datasets.component';
import { MyModelsComponent } from './_pages/my-models/my-models.component';
@@ -13,10 +12,12 @@ import { SettingsComponent } from './_pages/settings/settings.component';
import { ProfileComponent } from './_pages/profile/profile.component';
import { PredictComponent } from './_pages/predict/predict.component';
import { FilterDatasetsComponent } from './_pages/filter-datasets/filter-datasets.component';
+import { ExperimentComponent } from './experiment/experiment.component';
const routes: Routes = [
{ path: '', component: HomeComponent, data: { title: 'Početna strana' } },
- { path: 'add-model', component: AddModelComponent, data: { title: 'Dodaj model' } },
+ /*{ path: 'add-model', component: AddModelComponent, data: { title: 'Dodaj model' } },*/
+ { path: 'experiment', component: ExperimentComponent, data: { title: 'Dodaj model' } },
{ path: 'my-datasets', component: MyDatasetsComponent, canActivate: [AuthGuardService], data: { title: 'Moji izvori podataka' } },
{ path: 'my-models', component: MyModelsComponent, canActivate: [AuthGuardService], data: { title: 'Moji modeli' } },
{ path: 'my-predictors', component: MyPredictorsComponent, canActivate: [AuthGuardService], data: { title: 'Moji trenirani modeli' } },
diff --git a/frontend/src/app/app.module.ts b/frontend/src/app/app.module.ts
index b9ad524f..c3a2ce7a 100644
--- a/frontend/src/app/app.module.ts
+++ b/frontend/src/app/app.module.ts
@@ -11,7 +11,6 @@ import { Ng2SearchPipeModule } from 'ng2-search-filter';
import { AppComponent } from './app.component';
import { NgbModule } from '@ng-bootstrap/ng-bootstrap';
import { DatasetLoadComponent } from './_elements/dataset-load/dataset-load.component';
-import { AddModelComponent } from './_pages/add-model/add-model.component';
import { BrowserAnimationsModule } from '@angular/platform-browser/animations';
import { LoginModalComponent } from './_modals/login-modal/login-modal.component';
import { ReactiveFormsModule } from '@angular/forms';
@@ -39,6 +38,9 @@ import { FilterDatasetsComponent } from './_pages/filter-datasets/filter-dataset
import { ReactiveBackgroundComponent } from './_elements/reactive-background/reactive-background.component';
import { ItemModelComponent } from './_elements/item-model/item-model.component';
import { AnnvisualComponent } from './_elements/annvisual/annvisual.component';
+import { ExperimentComponent } from './experiment/experiment.component';
+import { LoadingComponent } from './_elements/loading/loading.component';
+import { ModelLoadComponent } from './_elements/model-load/model-load.component';
import { AlertDialogComponent } from './_modals/alert-dialog/alert-dialog.component';
import { AddNewDatasetComponent } from './_elements/add-new-dataset/add-new-dataset.component';
@@ -46,7 +48,6 @@ import { AddNewDatasetComponent } from './_elements/add-new-dataset/add-new-data
declarations: [
AppComponent,
DatasetLoadComponent,
- AddModelComponent,
LoginModalComponent,
RegisterModalComponent,
HomeComponent,
@@ -70,6 +71,9 @@ import { AddNewDatasetComponent } from './_elements/add-new-dataset/add-new-data
ReactiveBackgroundComponent,
ItemModelComponent,
AnnvisualComponent,
+ ExperimentComponent,
+ LoadingComponent,
+ ModelLoadComponent,
AlertDialogComponent,
AddNewDatasetComponent
],
diff --git a/frontend/src/app/_pages/add-model/add-model.component.css b/frontend/src/app/experiment/experiment.component.css
index 7f05af0f..ee4b0448 100644
--- a/frontend/src/app/_pages/add-model/add-model.component.css
+++ b/frontend/src/app/experiment/experiment.component.css
@@ -3,6 +3,7 @@
padding-top: 30px;
padding-bottom: 20px;
}
+
#header h1 {
font-family: 'Lucida Sans', 'Lucida Sans Regular', 'Lucida Grande', 'Lucida Sans Unicode', Geneva, Verdana, sans-serif;
text-align: center;
@@ -21,22 +22,18 @@
background-color: #003459;
color: white;
}
+
.btnType2 {
background-color: white;
color: #003459;
border-color: #003459;
}
+
.selectedDatasetClass {
/*border-color: 2px solid #003459;*/
background-color: lightblue;
}
+
ul li:hover {
background-color: lightblue;
-}
-
-#divInputs {
- margin-left: 20px;
-}
-#divOutputs {
- margin-left: 20px;
-}
+} \ No newline at end of file
diff --git a/frontend/src/app/experiment/experiment.component.html b/frontend/src/app/experiment/experiment.component.html
new file mode 100644
index 00000000..8d2c86b3
--- /dev/null
+++ b/frontend/src/app/experiment/experiment.component.html
@@ -0,0 +1,201 @@
+<div id="header">
+ <h1>Napravite svoju veštačku neuronske mrežu</h1>
+</div>
+<div id="wrapper">
+ <div id="container" class="container p-5" style="background-color: white; min-height: 100%;">
+
+
+ <h2>1. Izvor podataka</h2>
+ <app-dataset-load></app-dataset-load>
+
+
+ <h2>2. Preprocesiranje</h2>
+ <h3>Biranje ulaznih i izlaznih kolona:</h3>
+ <div *ngIf="selectedDataset">
+ <div class="row">
+ <div class="col d-flex justify-content-center">
+ <h3>Izaberite ulazne kolone:</h3>
+ <div id="divInputs" class="form-check mt-2">
+ <br>
+ <div *ngFor="let item of selectedDataset.header; let i = index">
+ <input class="form-check-input" type="checkbox" value="{{item}}" id="cb_{{item}}"
+ name="cbsNew" [checked]="this.selectedOutputColumnVal != item"
+ [disabled]="this.selectedOutputColumnVal == item">&nbsp;
+ <label class="form-check-label" for="cb_{{item}}">
+ {{item}}
+ </label>
+ </div>
+ </div>
+ </div>
+ <div class="col d-flex justify-content-left">
+ <h3>Izaberite izlaznu kolonu:</h3>
+ <div id="divOutputs" class="form-check mt-2">
+ <br>
+ <div *ngFor="let item of selectedDataset.header; let i = index">
+ <input class="form-check-input" type="radio" value="{{item}}" id="rb_{{item}}" name="rbsNew"
+ (change)="this.selectedOutputColumnVal = item">&nbsp;
+ <label class="form-check-label" for="rb_{{item}}">
+ {{item}}
+ </label>
+ </div>
+ </div>
+ </div>
+ </div>
+ </div>
+ <h3>Popunjavanje nedostajućih vrednosti:</h3>
+ <div class="form-check" *ngIf="selectedDataset">
+ <input type="radio" [(ngModel)]="experiment.nullValues" [value]="NullValueOptions.DeleteRows"
+ class="form-check-input" value="deleteRows" name="fillMissing" id="delRows" checked
+ data-bs-toggle="collapse" data-bs-target="#fillMissingCustom.show">
+ <label for="delRows" class="form-check-label">Obriši sve
+ redove sa nedostajućim vrednostima</label><br>
+ <input type="radio" [(ngModel)]="experiment.nullValues" [value]="NullValueOptions.DeleteColumns"
+ class="form-check-input" value="deleteCols" name="fillMissing" id="delCols" data-bs-toggle="collapse"
+ data-bs-target="#fillMissingCustom.show">
+ <label for="delCols" class="form-check-label">Obriši sve
+ kolone sa nedostajućim vrednostima</label><br>
+ <input type="radio" [(ngModel)]="experiment.nullValues" [value]="NullValueOptions.Replace"
+ class="form-check-input" name="fillMissing" id="replace" data-bs-toggle="collapse"
+ data-bs-target="#fillMissingCustom:not(.show)">
+ <label for="replace" class="form-check-label">Izabraću
+ vrednosti koje će da zamene nedostajuće vrednosti za svaku kolonu...</label><br><br>
+ <div class="collapse" id="fillMissingCustom">
+ <div>
+ <label for="columnReplacers" class="form-label">Unesite zamenu za svaku kolonu:</label>
+ <div id="columnReplacers">
+ <div *ngFor="let column of selectedDataset.columnInfo; let i = index" class="my-3">
+ <div *ngIf="getInputById('cb_'+column).checked" class="">
+ <span class="w-20 mx-3">
+ {{column.name}}&nbsp;<span class="small" style="color:gray;">(
+ <!--{{//column.numNulls}}-->
+ TODO BROJ null)
+ </span>
+ </span>
+
+ <label *ngIf="column.numNull <= 0" class="text-center form-control mx-3 text-secondary">
+ Ova kolona nema
+ nedostajućih
+ vrednosti.
+ </label>
+
+ <div *ngIf="column.numNull > 0" class="d-flex flex-row justify-content-end">
+ <!-- ngIf colummn.numNulls == 0 -->
+ <div class="flex-grow-3 mx-3 me-auto">
+ <div class="input-group">
+ <div class="input-group-prepend">
+ <label [for]="'fillCol_'+column.name" class="form-control">
+ Zameni
+ <input type="radio" [id]="'fillCol_'+column.name"
+ [name]="'delOp_'+column.name">
+ </label>
+ </div>
+ <input type="text" class="form-control" [id]="'fillText_'+column.name"
+ (keyup)="checkFillColRadio(column.name)"
+ placeholder="Unesi vrednost...">
+
+ <div class="input-group-append">
+ <select [id]="'replaceOptions'+i" class="form-control btn-primary"
+ *ngIf="column.isNumber" (change)="replace($event);">
+ <option
+ *ngFor="let option of Object.keys(ReplaceWith); let optionName of Object.values(ReplaceWith)"
+ [value]="option">
+ {{ optionName }}
+ </option>
+ </select>
+ <select [id]="'replaceOptions'+i"
+ class="form-control btn-outline-primary"
+ *ngIf="!column.isNumber && column.numNull > 0"
+ (change)="replace($event);">
+ <option *ngFor="let option of column.uniqueValues" [value]="option">
+ {{ option }}
+ </option>
+ </select>
+ </div>
+ </div>
+ </div>
+
+ <div class="flex-shrink-1 mx-3">
+ <div class="input-group">
+ <label class="form-control" [for]="'delCol_'+column.name">Izbriši
+ kolonu
+ <input type="radio" [id]="'delCol_'+column"
+ [name]="'delOp_'+column.name"
+ (change)="emptyFillTextInput(column.name)"></label>
+ </div>
+ </div>
+
+ <div class="flex-shrink-1 mx-3">
+ <div class="input-group">
+ <label class="form-control" [for]="'delRows_'+column.name">Izbriši
+ redove
+ <input type="radio" [id]="'delRows_'+column.name"
+ [name]="'delOp_'+column.name" checked
+ (change)="emptyFillTextInput(column.name)"></label>
+ </div>
+ </div>
+ </div>
+ </div>
+ </div>
+ <div *ngFor="let column of selectedDataset.columnInfo; let i = index" class="my-3">
+ <div class="input-group row" *ngIf="getInputById('rb_'+column.name).checked">
+ <span class="input-group-text col-2 text-center">
+ {{column}}&nbsp;<span class="small" style="color:gray;">(br
+ null)</span>
+ </span>
+ <label *ngIf="true" class="form-control">Ova
+ kolona nema nedostajućih vrednosti.</label>
+
+ <input *ngIf="true" type="radio" [id]="'fillCol_'+column.name" class="col-1 mt-2"
+ [name]="'delOp_'+column.name">
+ <select [id]="'replaceOptions'+i" class="form-control col-2" *ngIf="column.isNumber"
+ (change)="replace($event);">
+ <option
+ *ngFor="let option of Object.keys(ReplaceWith); let optionName of Object.values(ReplaceWith)"
+ [value]="option">
+ {{ optionName }}
+ </option>
+ </select>
+ <select [id]="'replaceOptions'+i" class="form-control col-2" *ngIf="!column.isNumber"
+ (change)="replace($event);">
+ <option *ngFor="let option of []" [value]="option">
+ <!--/*arrayColumn(datasetFile, i)*/-->
+ {{ option }}
+ </option>
+ </select>
+ <input *ngIf="true" type="text" class="form-control col-1"
+ [id]="'fillText_'+column.name" (keyup)="checkFillColRadio(column.name)"
+ placeholder="Unesi vrednost...">
+
+ <label *ngIf="true" class="form-control col-2" [for]="'delCol_'+column" .name>Izbriši
+ kolonu
+ <input type="radio" [id]="'delCol_'+column.name" [name]="'delOp_'+column.name"
+ (change)="emptyFillTextInput(column.name)"></label>
+ <label *ngIf="true" class="form-control col-2" [for]="'delRows_'+column.name">Izbriši
+ redove
+ <input type="radio" [id]="'delRows_'+column.name" [name]="'delOp_'+column.name"
+ (change)="emptyFillTextInput(column.name)" checked></label>
+ </div>
+ </div>
+
+ </div>
+ </div>
+ </div>
+ </div>
+
+
+ <h2>3. Podešavanja mreže</h2>
+ <app-model-load></app-model-load>
+
+
+ <h2>4. Treniraj model</h2>
+ <button class="btn btn-lg col-4" style="background-color:#003459; color:white;" (click)="trainModel();">Treniraj
+ model</button>
+ <h3>Rezultati treniranja</h3>
+ <div class="m-3" *ngIf="trainingResult">
+ <h2 class="my-2">Rezultati treniranja:</h2>
+ <p>
+ {{trainingResult}}
+ </p>
+ </div>
+ </div>
+</div> \ No newline at end of file
diff --git a/frontend/src/app/experiment/experiment.component.spec.ts b/frontend/src/app/experiment/experiment.component.spec.ts
new file mode 100644
index 00000000..fd2bbd30
--- /dev/null
+++ b/frontend/src/app/experiment/experiment.component.spec.ts
@@ -0,0 +1,25 @@
+import { ComponentFixture, TestBed } from '@angular/core/testing';
+
+import { ExperimentComponent } from './experiment.component';
+
+describe('ExperimentComponent', () => {
+ let component: ExperimentComponent;
+ let fixture: ComponentFixture<ExperimentComponent>;
+
+ beforeEach(async () => {
+ await TestBed.configureTestingModule({
+ declarations: [ ExperimentComponent ]
+ })
+ .compileComponents();
+ });
+
+ beforeEach(() => {
+ fixture = TestBed.createComponent(ExperimentComponent);
+ component = fixture.componentInstance;
+ fixture.detectChanges();
+ });
+
+ it('should create', () => {
+ expect(component).toBeTruthy();
+ });
+});
diff --git a/frontend/src/app/experiment/experiment.component.ts b/frontend/src/app/experiment/experiment.component.ts
new file mode 100644
index 00000000..2309dcd7
--- /dev/null
+++ b/frontend/src/app/experiment/experiment.component.ts
@@ -0,0 +1,118 @@
+import { Component, OnInit } from '@angular/core';
+import Experiment, { NullValReplacer, NullValueOptions, ReplaceWith } from '../_data/Experiment';
+import Model from '../_data/Model';
+import Dataset from '../_data/Dataset';
+import { ModelsService } from '../_services/models.service';
+import Shared from '../Shared';
+
+@Component({
+ selector: 'app-experiment',
+ templateUrl: './experiment.component.html',
+ styleUrls: ['./experiment.component.css']
+})
+export class ExperimentComponent implements OnInit {
+
+ experiment: Experiment = new Experiment();
+ selectedModel?: Model;
+ selectedDataset?: Dataset;
+ trainingResult: any; // any za sad, promeni kasnije
+
+ NullValueOptions = NullValueOptions;
+ ReplaceWith = ReplaceWith;
+ Object = Object;
+
+ selectedOutputColumnVal: string = '';
+
+ constructor(private models: ModelsService) { }
+
+ ngOnInit(): void {
+ }
+
+ getInputById(id: string): HTMLInputElement {
+ return document.getElementById(id) as HTMLInputElement;
+ }
+
+ arrayColumn = (arr: any[][], n: number) => [...this.dropEmptyString(new Set(arr.map(x => x[n])))];
+
+ dropEmptyString(set: Set<any>): Set<string> {
+ if (set.has(""))
+ set.delete("");
+ if (set.has(null))
+ set.delete(null);
+ if (set.has(undefined))
+ set.delete(undefined);
+ return set;
+ }
+
+ emptyFillTextInput(colName: string) {
+ (<HTMLInputElement>document.getElementById("fillText_" + colName)).value = "";
+ }
+
+ checkFillColRadio(colName: string) {
+ (<HTMLInputElement>document.getElementById("fillCol_" + colName)).checked = true;
+ }
+
+ replace(event: Event) {
+ let option = (<HTMLInputElement>event.target).value;
+ // TODO
+ }
+
+ getNullValuesReplacersArray()/*: NullValReplacer[]*/ {
+ let array: NullValReplacer[] = [];
+
+ // TODO ispravi
+ /*if (this.datasetFile) {
+
+ if (this.newModel.nullValues == NullValueOptions.Replace) {
+
+ for (let i = 0; i < this.datasetFile[0].length; i++) {
+ let column = this.datasetFile[0][i];
+
+ if (this.calculateSumOfNullValuesInCol(column) > 0) { //ako kolona nema null vrednosti, ne dodajemo je u niz
+ if ((<HTMLInputElement>document.getElementById("delCol_" + column)).checked) {
+ array.push({
+ column: column,
+ option: NullValueOptions.DeleteColumns,
+ value: ""
+ });
+ }
+ else if ((<HTMLInputElement>document.getElementById("delRows_" + column)).checked) {
+ array.push({
+ column: column,
+ option: NullValueOptions.DeleteRows,
+ value: ""
+ });
+ }
+ else if (((<HTMLInputElement>document.getElementById("fillCol_" + column)).checked)) {
+ array.push({
+ column: column,
+ option: NullValueOptions.Replace,
+ value: (<HTMLInputElement>document.getElementById("fillText_" + column)).value
+ });
+ }
+ }
+ }
+ }
+ }
+ //console.log(array);
+ return array;*/
+ }
+
+ trainModel() {
+ this.trainingResult = undefined;
+ console.log('Training model...', this.selectedModel);
+ if (!this.selectedDataset) {
+ Shared.openDialog('Greška', 'Izvor podataka nije izabran!');
+ return;
+ }
+ // TODO proveri nullValues
+ if (!this.selectedModel) {
+ Shared.openDialog('Greška', 'Model nije izabran!');
+ return;
+ }
+ this.models.trainModel(this.selectedModel).subscribe((response: any) => {
+ console.log('Train model complete!', response);
+ this.trainingResult = response;
+ });
+ }
+}