7 Commits
main ... backbr

49 changed files with 4337 additions and 6051 deletions

View File

@@ -1,29 +0,0 @@
name: sgeUpdated CI/CD
on:
pull_request:
types:
- closed # Fires when a PR is closed (either merged or manually closed)
branches:
- main # Only when PR targets main
jobs:
deploy:
if: github.event.pull_request.merged == true # Run only if the PR was merged (not just closed)
runs-on: ubuntu-latest
steps:
- name: Setup SSH
run: |
mkdir -p ~/.ssh/
echo "${{ secrets.SSH_PRIVATE_KEY }}" > ~/.ssh/id_rsa
chmod 600 ~/.ssh/id_rsa
ssh-keyscan ${{ secrets.SERVER_HOST }} >> ~/.ssh/known_hosts
- name: Run deploy script on server
run: |
ssh ${{ secrets.SERVER_USER }}@${{ secrets.SERVER_HOST }} << 'EOF'
echo "✅ PR merged into main — running deploy script..."
cd /home/ubuntu/Bgreen/sgeUpdated
./deploy.sh
EOF

View File

@@ -1,24 +0,0 @@
# SGE Application Configuration
# This file contains configuration for both backend and frontend
# Database Configuration
SPRING_DATASOURCE_URL=jdbc:postgresql://bgreen-database:5432/sge
SPRING_DATASOURCE_USERNAME=sge
SPRING_DATASOURCE_PASSWORD=147
# Server Configuration
SERVER_PORT=8080
# Mail Configuration
MAIL_HOSTNAME=mail.spacemail.com
MAIL_SMTP_PORT=465
MAIL_ADDRESS=info@blc-css.com
MAIL_PASSWORD=123456Bb@
# React Application Configuration
# API Configuration
API_PROTOCOL=http
API_HOST=bgreen-backend
# Application URLs
APP_SURVEY_BASE_URL=https://bgreen.blc-css.com

110
deploy.sh
View File

@@ -1,110 +0,0 @@
#!/bin/bash
set -euo pipefail
cd /home/ubuntu/Bgreen/sgeUpdated
# -----------------------
# Harbor settings
# -----------------------
HARBOR_REGISTRY="10.150.1.166"
HARBOR_PROJECT="bgreen"
BACKEND_IMAGE_REPO="${HARBOR_REGISTRY}/${HARBOR_PROJECT}/bgreen-backend"
FRONTEND_IMAGE_REPO="${HARBOR_REGISTRY}/${HARBOR_PROJECT}/bgreen-frontend"
# Tag images with git commit (better than latest; enables rollback)
VERSION="$(git rev-parse --short HEAD)"
echo "📦 Fetching latest changes from origin/main..."
git fetch myfork main
# Detect which files changed between local HEAD and the latest remote version
CHANGED_FILES=$(git diff --name-only HEAD myfork/main || true)
if [ -z "$CHANGED_FILES" ]; then
echo "✅ No file changes detected between HEAD and origin/main."
else
echo "🪶 Changed files:"
echo "$CHANGED_FILES"
fi
# Update to the latest version
git reset --hard myfork/main
BACKEND_CHANGED=false
FRONTEND_CHANGED=false
# Check if backend folder changed (excluding README.md)
if echo "$CHANGED_FILES" | grep "^sge-backend/" | grep -qv "README.md$"; then
BACKEND_CHANGED=true
fi
# Check if frontend folder changed (excluding README.md)
if echo "$CHANGED_FILES" | grep "^sge-frontend/" | grep -qv "README.md$"; then
FRONTEND_CHANGED=true
fi
# -----------------------
# Backend section
# -----------------------
if [ "$BACKEND_CHANGED" = true ]; then
echo "⚡ Backend changes detected."
cd sge-backend
echo "Running Maven build..."
/opt/apache-maven-3.9.11/bin/mvn clean install -DskipTests
echo "🐳 Building backend Docker image..."
docker build -t "${BACKEND_IMAGE_REPO}:${VERSION}" .
echo "📤 Pushing backend image to Harbor..."
docker push "${BACKEND_IMAGE_REPO}:${VERSION}"
echo "📥 Pulling backend image from Harbor (to ensure registry is source of truth)..."
docker pull "${BACKEND_IMAGE_REPO}:${VERSION}"
cd ..
echo "🚀 Recreating backend container using Harbor image..."
VERSION="$VERSION" docker compose up -d bgreen-backend
else
echo "✅ No backend changes."
fi
# -----------------------
# Frontend section
# -----------------------
if [ "$FRONTEND_CHANGED" = true ]; then
echo "⚡ Frontend changes detected."
cd sge-frontend
# Check if package.json or package-lock.json changed
if echo "$CHANGED_FILES" | grep -qE "^sge-frontend/(package\.json|package-lock\.json)$"; then
echo "📦 package.json changed. Running 'npm install' and 'npm run build'..."
npm install
npm run build
else
echo "📦 only code changes. Running 'npm run build'..."
npm run build
fi
echo "🐳 Building frontend Docker image..."
docker build -t "${FRONTEND_IMAGE_REPO}:${VERSION}" .
echo "📤 Pushing frontend image to Harbor..."
docker push "${FRONTEND_IMAGE_REPO}:${VERSION}"
echo "📥 Pulling frontend image from Harbor (to ensure registry is source of truth)..."
docker pull "${FRONTEND_IMAGE_REPO}:${VERSION}"
cd ..
echo "🚀 Recreating frontend container using Harbor image..."
VERSION="$VERSION" docker compose up -d bgreen-frontend
else
echo "✅ No frontend changes."
fi
echo "✅ Deployment complete."

View File

@@ -1,69 +0,0 @@
#!/bin/bash
set -euo pipefail
export GIT_SSH_COMMAND="ssh -i ~/.ssh/deploy_id_rsa -o StrictHostKeyC
cd /home/ubuntu/Bgreen/sgeUpdated
echo "📦 Fetching latest changes from origin/main..."
git fetch origin main
# Detect which files changed between local HEAD and the latest remote version
CHANGED_FILES=$(git diff --name-only HEAD origin/main || true)
if [ -z "$CHANGED_FILES" ]; then
echo "✅ No file changes detected between HEAD and origin/main."
else
echo "🪶 Changed files:"
echo "$CHANGED_FILES"
fi
# Update to the latest version
git reset --hard origin/main
BACKEND_CHANGED=false
FRONTEND_CHANGED=false
# Check if backend folder changed
if echo "$CHANGED_FILES" | grep -q "^sge-backend/"; then
BACKEND_CHANGED=true
fi
# Check if frontend folder changed
if echo "$CHANGED_FILES" | grep -q "^sge-frontend/"; then
FRONTEND_CHANGED=true
fi
# -----------------------
# Backend section
# -----------------------
if [ "$BACKEND_CHANGED" = true ]; then
echo "⚡ Backend changes detected."
cd sge-backend
echo "Running Maven build..."
/opt/apache-maven-3.9.11/bin/mvn clean install -DskipTests
cd ..
echo "Rebuilding backend Docker container..."
docker compose up -d --build bgreen-backend
else
echo "✅ No backend changes."
fi
# -----------------------
# Frontend section
# -----------------------
if [ "$FRONTEND_CHANGED" = true ]; then
echo "⚡ Frontend changes detected."
cd sge-frontend
echo "Running npm build..."
npm install
npm run build
cd ..
echo "Rebuilding frontend Docker container..."
docker compose up -d --build bgreen-frontend
else
echo "✅ No frontend changes."
fi
echo "✅ Deployment complete."

View File

@@ -1,35 +0,0 @@
services:
bgreen-backend:
image: 10.150.1.166/bgreen/bgreen-backend:${VERSION}
ports:
- "8080:8080"
env_file:
- ./config.conf
environment:
SPRING_PROFILES_ACTIVE: docker
depends_on:
- database
restart: unless-stopped
bgreen-frontend:
image: 10.150.1.166/bgreen/bgreen-frontend:${VERSION}
ports:
- "80:80"
env_file:
- ./config.conf
restart: unless-stopped
database:
image: postgres:15
environment:
POSTGRES_DB: sge
POSTGRES_USER: sge
POSTGRES_PASSWORD: 147
ports:
- "5432:5432"
volumes:
- postgres_data:/var/lib/postgresql/data
restart: unless-stopped
volumes:
postgres_data:

View File

@@ -1 +0,0 @@
## CI/CD Pipeline Check v23

View File

@@ -6,12 +6,12 @@
<parent> <parent>
<groupId>org.springframework.boot</groupId> <groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-parent</artifactId> <artifactId>spring-boot-starter-parent</artifactId>
<version>2.5.5</version> <version>2.5.4</version>
<relativePath /> <relativePath />
</parent> </parent>
<groupId>com.sgs</groupId> <groupId>com.sgs</groupId>
<artifactId>sgs</artifactId> <artifactId>sgs</artifactId>
<version>0.0.4-SNAPSHOT</version> <version>0.0.1-SNAPSHOT</version>
<name>sgs</name> <name>sgs</name>
<description>SGS project for Spring Boot</description> <description>SGS project for Spring Boot</description>
<properties> <properties>

File diff suppressed because it is too large Load Diff

View File

@@ -1,5 +1,4 @@
package com.sgs.graphql.dataCenter.domain; package com.sgs.graphql.dataCenter.domain;
import com.fasterxml.jackson.annotation.JsonBackReference; import com.fasterxml.jackson.annotation.JsonBackReference;
import com.fasterxml.jackson.annotation.JsonManagedReference; import com.fasterxml.jackson.annotation.JsonManagedReference;
import com.sgs.graphql.area.domain.Area; import com.sgs.graphql.area.domain.Area;
@@ -16,6 +15,7 @@ import org.hibernate.annotations.LazyCollection;
import org.hibernate.annotations.LazyCollectionOption; import org.hibernate.annotations.LazyCollectionOption;
import org.hibernate.annotations.Fetch; import org.hibernate.annotations.Fetch;
import org.hibernate.annotations.FetchMode; import org.hibernate.annotations.FetchMode;
import org.springframework.transaction.annotation.Transactional;
import java.util.ArrayList; import java.util.ArrayList;
import java.util.List; import java.util.List;
@@ -27,7 +27,7 @@ public class DataCenter extends BaseDomain {
@Column(unique = true) @Column(unique = true)
private Integer externalId; private Integer externalId;
private Integer number; private Integer number;
private Area area; private Area area;
private City city; private City city;
@@ -39,14 +39,16 @@ public class DataCenter extends BaseDomain {
private EmissionScope emissionScope; private EmissionScope emissionScope;
private Double consuptionAmount; private Double consuptionAmount;
private ActivitySubUnit activitySubUnit; private ActivitySubUnit activitySubUnit;
// New attributes // New attributes
private String ayposURL; private String ayposURL;
private String address; private String address;
private Double latitude; private Double latitude;
private Double longitude; private Double longitude;
@Column(name = "data_center_name") @Column(name = "data_center_name")
@Transactional
public String getDataCenter() { public String getDataCenter() {
return dataCenter; return dataCenter;
} }
@@ -94,6 +96,7 @@ public class DataCenter extends BaseDomain {
this.number = number; this.number = number;
} }
@ManyToOne(fetch = FetchType.EAGER) @ManyToOne(fetch = FetchType.EAGER)
@JoinColumn(name = "sector_id") @JoinColumn(name = "sector_id")
public Sector getSector() { public Sector getSector() {

View File

@@ -17,10 +17,10 @@ public class DataCenterDto {
private Integer externalId; private Integer externalId;
private Integer number; private Integer number;
private AreaDto area; private AreaDto area;
@JsonProperty("physical_machines") @JsonProperty("physical_machines")
private Map<String, PhysicalMachineDto> physicalMachine; private Map<String, PhysicalMachineDto> physicalMachine;
// Emission calculation fields // Emission calculation fields
private SectorDto sector; private SectorDto sector;
private SubSectorDto subSector; private SubSectorDto subSector;
@@ -62,12 +62,12 @@ public class DataCenterDto {
this.number = number; this.number = number;
} }
public AreaDto getArea() { public AreaDto getArea() {
return area; return area;
} }
public void setArea(AreaDto area) { public void setArea(AreaDto area) {
this.area = area; this.area = area;
} }
public Map<String, PhysicalMachineDto> getPhysicalMachine() { public Map<String, PhysicalMachineDto> getPhysicalMachine() {

View File

@@ -1,26 +1,18 @@
package com.sgs.graphql.dataCenter.mutation; package com.sgs.graphql.dataCenter.mutation;
import com.sgs.exception.GraphQLCustomException;
import com.sgs.graphql.dataCenter.mutation.mapper.DataCenterMapper; import com.sgs.graphql.dataCenter.mutation.mapper.DataCenterMapper;
import com.sgs.graphql.dataCenter.service.DataCenterService; import com.sgs.graphql.dataCenter.service.DataCenterService;
import com.sgs.graphql.dataCenter.domain.DataCenter; import com.sgs.graphql.dataCenter.domain.DataCenter;
import com.sgs.graphql.dataCenter.mutation.input.DataCenterCreateInput; import com.sgs.graphql.dataCenter.mutation.input.DataCenterCreateInput;
import com.sgs.graphql.dataCenter.mutation.input.DataCenterUpdateInput; import com.sgs.graphql.dataCenter.mutation.input.DataCenterUpdateInput;
import com.sgs.graphql.permission.domain.PermissionName; import com.sgs.graphql.permission.domain.PermissionName;
import com.sgs.graphql.systemHistory.enums.LogType;
import com.sgs.graphql.systemHistory.mutation.SystemLogger;
import com.sgs.graphql.userHistory.mutation.UserLogger;
import com.sgs.graphql.userNotification.mutation.UserNotificationMutation;
import graphql.kickstart.tools.GraphQLMutationResolver; import graphql.kickstart.tools.GraphQLMutationResolver;
import graphql.schema.DataFetchingEnvironment;
import org.springframework.beans.factory.annotation.Autowired; import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.security.access.prepost.PreAuthorize; import org.springframework.security.access.prepost.PreAuthorize;
import org.springframework.stereotype.Component; import org.springframework.stereotype.Component;
import org.springframework.validation.annotation.Validated; import org.springframework.validation.annotation.Validated;
import javax.transaction.Transactional;
import javax.validation.Valid; import javax.validation.Valid;
import java.util.NoSuchElementException;
import java.util.UUID; import java.util.UUID;
@Validated @Validated
@@ -29,128 +21,57 @@ public class DataCenterMutation implements GraphQLMutationResolver {
private final DataCenterService dataCenterService; private final DataCenterService dataCenterService;
private final DataCenterMapper dataCenterMapper; private final DataCenterMapper dataCenterMapper;
private final SystemLogger systemLogger;
private final UserLogger userLogger;
private final UserNotificationMutation notificationMutation;
@Autowired @Autowired
public DataCenterMutation(DataCenterService dataCenterService, DataCenterMapper dataCenterMapper, public DataCenterMutation(DataCenterService dataCenterService, DataCenterMapper dataCenterMapper) {
SystemLogger systemLogger, UserLogger userLogger,
UserNotificationMutation notificationMutation) {
this.dataCenterService = dataCenterService; this.dataCenterService = dataCenterService;
this.dataCenterMapper = dataCenterMapper; this.dataCenterMapper = dataCenterMapper;
this.systemLogger = systemLogger;
this.userLogger = userLogger;
this.notificationMutation = notificationMutation;
} }
@PreAuthorize("hasAuthority('" + PermissionName.DATA_CENTER_CREATE + "')") @PreAuthorize("hasAuthority('" + PermissionName.DATA_CENTER_CREATE + "')")
@Transactional public DataCenter createDataCenter(@Valid DataCenterCreateInput input) {
public DataCenter createDataCenter(@Valid DataCenterCreateInput input, DataFetchingEnvironment environment) { // Check for duplicate externalId
try { if (input.getExternalId() != null && dataCenterService.existsByExternalId(input.getExternalId())) {
// Check for duplicate externalId throw new RuntimeException("This external id already exists: " + input.getExternalId());
if (input.getExternalId() != null && dataCenterService.existsByExternalId(input.getExternalId())) {
throw new GraphQLCustomException("2010", input.getExternalId().toString());
}
DataCenter dataCenter = dataCenterMapper.toEntity(input);
// Set auto-generated number if not provided
if (dataCenter.getNumber() == null) {
Integer maxNumber = dataCenterService.findMaxNumber();
dataCenter.setNumber((maxNumber == null) ? 1 : maxNumber + 1);
}
DataCenter savedDataCenter = dataCenterService.save(dataCenter);
// Log and notify
String dataCenterName = savedDataCenter.getDataCenter() != null ? savedDataCenter.getDataCenter()
: "DataCenter #" + savedDataCenter.getNumber();
systemLogger.createSystemLog(LogType.INFO, dataCenterName + " adlı veri merkezi oluşturuldu");
userLogger.createUserLog(LogType.INFO, dataCenterName + " adlı veri merkezi oluşturuldu", environment);
notificationMutation.createNotification(environment, "Veri Merkezi",
dataCenterName + " adlı veri merkezi oluşturuldu", "Yeni kayıt");
return savedDataCenter;
} catch (GraphQLCustomException e) {
throw e;
} catch (Exception e) {
systemLogger.createSystemLog(LogType.ERROR,
"Yeni veri merkezi oluşturulurken hata oluştu: " + e.getMessage());
throw e;
} }
DataCenter dataCenter = dataCenterMapper.toEntity(input);
// Set auto-generated number if not provided
if (dataCenter.getNumber() == null) {
Integer maxNumber = dataCenterService.getRepository().findMaxNumber();
dataCenter.setNumber((maxNumber == null) ? 1 : maxNumber + 1);
}
return dataCenterService.save(dataCenter);
} }
@PreAuthorize("hasAuthority('" + PermissionName.DATA_CENTER_UPDATE + "')") @PreAuthorize("hasAuthority('" + PermissionName.DATA_CENTER_UPDATE + "')")
@Transactional public DataCenter updateDataCenter(UUID id, @Valid DataCenterUpdateInput input) {
public DataCenter updateDataCenter(UUID id, @Valid DataCenterUpdateInput input, return dataCenterService.findById(id)
DataFetchingEnvironment environment) { .map(dataCenter -> {
try { // Check for duplicate externalId if it's being updated
DataCenter dataCenter = dataCenterService.findById(id) if (input.getExternalId() != null &&
.orElseThrow(() -> new NoSuchElementException("Data center not found with ID: " + id)); !input.getExternalId().equals(dataCenter.getExternalId()) &&
dataCenterService.existsByExternalId(input.getExternalId())) {
// Check for duplicate externalId if it's being updated throw new RuntimeException("This external id already exists: " + input.getExternalId());
if (input.getExternalId() != null && }
!input.getExternalId().equals(dataCenter.getExternalId()) && return dataCenterService.update(dataCenterMapper.updateEntity(dataCenter, input));
dataCenterService.existsByExternalId(input.getExternalId())) { })
throw new GraphQLCustomException("2010", input.getExternalId().toString()); .orElseThrow(() -> new RuntimeException("Data center not found with ID: " + id));
}
DataCenter updatedDataCenter = dataCenterService.update(dataCenterMapper.updateEntity(dataCenter, input));
// Log and notify
String dataCenterName = updatedDataCenter.getDataCenter() != null ? updatedDataCenter.getDataCenter()
: "DataCenter #" + updatedDataCenter.getNumber();
systemLogger.createSystemLog(LogType.INFO, dataCenterName + " adlı veri merkezi güncellendi");
userLogger.createUserLog(LogType.INFO, dataCenterName + " adlı veri merkezi güncellendi", environment);
notificationMutation.createNotification(environment, "Veri Merkezi",
dataCenterName + " adlı veri merkezi güncellendi", "Güncelleme");
return updatedDataCenter;
} catch (GraphQLCustomException e) {
throw e;
} catch (NoSuchElementException e) {
systemLogger.createSystemLog(LogType.ERROR, "Veri merkezi bulunamadı: " + id);
throw e;
} catch (Exception e) {
systemLogger.createSystemLog(LogType.ERROR, "Veri merkezi güncellenirken hata oluştu: " + e.getMessage());
throw e;
}
} }
@PreAuthorize("hasAuthority('" + PermissionName.DATA_CENTER_DELETE + "')") @PreAuthorize("hasAuthority('" + PermissionName.DATA_CENTER_DELETE + "')")
@Transactional public Boolean deleteDataCenter(UUID id) {
public String deleteDataCenter(UUID id, DataFetchingEnvironment environment) {
String dataCenterName = "";
try { try {
DataCenter dataCenter = dataCenterService.findById(id) DataCenter dataCenter = dataCenterService.findById(id)
.orElseThrow(() -> new NoSuchElementException("Data center not found with ID: " + id)); .orElseThrow(() -> new RuntimeException("Data center not found with ID: " + id));
dataCenterName = dataCenter.getDataCenter() != null ? dataCenter.getDataCenter()
: "DataCenter #" + dataCenter.getNumber();
// Check if data center has physical machines or other dependencies
if (dataCenter.getPhysicalMachines() != null && !dataCenter.getPhysicalMachines().isEmpty()) {
String message = "Silinmeye çalışılan veri merkezinin fiziksel makineleri olduğu için silinememektedir";
systemLogger.createSystemLog(LogType.WARN, dataCenterName + ": " + message);
return message;
}
dataCenterService.delete(dataCenter); dataCenterService.delete(dataCenter);
return true;
// Log and notify
systemLogger.createSystemLog(LogType.INFO, dataCenterName + " adlı veri merkezi silindi");
userLogger.createUserLog(LogType.INFO, dataCenterName + " adlı veri merkezi silindi", environment);
notificationMutation.createNotification(environment, "Veri Merkezi",
dataCenterName + " adlı veri merkezi silindi", "Silme");
return "true";
} catch (NoSuchElementException e) {
systemLogger.createSystemLog(LogType.ERROR, "Veri merkezi bulunamadı: " + id);
return "false";
} catch (Exception e) { } catch (Exception e) {
systemLogger.createSystemLog(LogType.ERROR, "Veri merkezi silinirken hata oluştu: " + e.getMessage()); System.out.println("DataCenter deletion error: " + e.getMessage());
return "false"; return false;
} }
} }
} }

View File

@@ -16,6 +16,7 @@ public class DataCenterCreateInput extends BaseCreateInput {
private Integer number; private Integer number;
private Double consuptionAmount; private Double consuptionAmount;
@NotNull(message = "Alan ID gereklidir")
private UUID areaId; private UUID areaId;
private UUID cityId; private UUID cityId;

View File

@@ -4,8 +4,6 @@ import com.sgs.lib.dao.mutation.input.BaseUpdateInput;
import java.util.List; import java.util.List;
import java.util.UUID; import java.util.UUID;
import javax.validation.constraints.NotNull;
public class DataCenterUpdateInput extends BaseUpdateInput { public class DataCenterUpdateInput extends BaseUpdateInput {
private String dataCenter; private String dataCenter;
private Integer externalId; private Integer externalId;
@@ -14,7 +12,6 @@ public class DataCenterUpdateInput extends BaseUpdateInput {
private UUID areaId; private UUID areaId;
private UUID cityId; private UUID cityId;
@NotNull(message = "Sektör ID gereklidir")
private UUID sectorId; private UUID sectorId;
private UUID subSectorId; private UUID subSectorId;
private UUID emissionScopeId; private UUID emissionScopeId;

View File

@@ -50,13 +50,13 @@ public class DataCenterMapper extends BaseCreateUpdateMapper<DataCenter, DataCen
@Override @Override
public DataCenter toEntity(DataCenterCreateInput input) { public DataCenter toEntity(DataCenterCreateInput input) {
DataCenter entity = new DataCenter(); DataCenter entity = new DataCenter();
// Basic fields // Basic fields
entity.setDataCenter(input.getDataCenter()); entity.setDataCenter(input.getDataCenter());
entity.setExternalId(input.getExternalId()); entity.setExternalId(input.getExternalId());
entity.setNumber(input.getNumber()); entity.setNumber(input.getNumber());
entity.setConsuptionAmount(input.getConsuptionAmount()); entity.setConsuptionAmount(input.getConsuptionAmount());
// Convert ID references to entities // Convert ID references to entities
if (input.getAreaId() != null) { if (input.getAreaId() != null) {
entity.setArea(areaService.findById(input.getAreaId()).orElse(null)); entity.setArea(areaService.findById(input.getAreaId()).orElse(null));
@@ -68,56 +68,53 @@ public class DataCenterMapper extends BaseCreateUpdateMapper<DataCenter, DataCen
if (input.getSectorId() != null) { if (input.getSectorId() != null) {
entity.setSector(sectorService.findById(input.getSectorId()).orElse(null)); entity.setSector(sectorService.findById(input.getSectorId()).orElse(null));
} }
if (input.getSubSectorId() != null) { if (input.getSubSectorId() != null) {
entity.setSubSector(subSectorService.findById(input.getSubSectorId()).orElse(null)); entity.setSubSector(subSectorService.findById(input.getSubSectorId()).orElse(null));
} }
if (input.getEmissionScopeId() != null) { if (input.getEmissionScopeId() != null) {
entity.setEmissionScope(emissionScopeService.findById(input.getEmissionScopeId()).orElse(null)); entity.setEmissionScope(emissionScopeService.findById(input.getEmissionScopeId()).orElse(null));
} }
if (input.getActivitySubUnitId() != null) { if (input.getActivitySubUnitId() != null) {
entity.setActivitySubUnit(activitySubUnitService.findById(input.getActivitySubUnitId()).orElse(null)); entity.setActivitySubUnit(activitySubUnitService.findById(input.getActivitySubUnitId()).orElse(null));
} }
// New attributes // New attributes
entity.setAyposURL(input.getAyposURL()); entity.setAyposURL(input.getAyposURL());
entity.setAddress(input.getAddress()); entity.setAddress(input.getAddress());
entity.setLatitude(input.getLatitude()); entity.setLatitude(input.getLatitude());
entity.setLongitude(input.getLongitude()); entity.setLongitude(input.getLongitude());
// Handle multiple emission sources if provided // Handle multiple emission sources if provided
if (input.getDataCenterEmissionSources() != null && !input.getDataCenterEmissionSources().isEmpty()) { if (input.getDataCenterEmissionSources() != null && !input.getDataCenterEmissionSources().isEmpty()) {
List<DataCenterEmissionSource> dataCenterEmissionSources = new ArrayList<>(); List<DataCenterEmissionSource> dataCenterEmissionSources = new ArrayList<>();
for (DataCenterEmissionSourceInput emissionSourceInput : input.getDataCenterEmissionSources()) { for (DataCenterEmissionSourceInput emissionSourceInput : input.getDataCenterEmissionSources()) {
DataCenterEmissionSource dcEmissionSource = new DataCenterEmissionSource(); DataCenterEmissionSource dcEmissionSource = new DataCenterEmissionSource();
dcEmissionSource.setDataCenter(entity); dcEmissionSource.setDataCenter(entity);
// Set EmissionSource // Set EmissionSource
if (emissionSourceInput.getEmissionSourceId() != null) { if (emissionSourceInput.getEmissionSourceId() != null) {
dcEmissionSource.setEmissionSource(emissionSourceService dcEmissionSource.setEmissionSource(emissionSourceService.findById(UUID.fromString(emissionSourceInput.getEmissionSourceId())).orElse(null));
.findById(UUID.fromString(emissionSourceInput.getEmissionSourceId())).orElse(null));
} }
// Set ConsuptionUnit // Set ConsuptionUnit
if (emissionSourceInput.getConsuptionUnitId() != null) { if (emissionSourceInput.getConsuptionUnitId() != null) {
dcEmissionSource.setConsuptionUnit(consuptionUnitService dcEmissionSource.setConsuptionUnit(consuptionUnitService.findById(UUID.fromString(emissionSourceInput.getConsuptionUnitId())).orElse(null));
.findById(UUID.fromString(emissionSourceInput.getConsuptionUnitId())).orElse(null));
} }
// Set optional fields // Set optional fields
dcEmissionSource.setIsDefault( dcEmissionSource.setIsDefault(emissionSourceInput.getIsDefault() != null ? emissionSourceInput.getIsDefault() : false);
emissionSourceInput.getIsDefault() != null ? emissionSourceInput.getIsDefault() : false);
dcEmissionSource.setPercentage(emissionSourceInput.getPercentage()); dcEmissionSource.setPercentage(emissionSourceInput.getPercentage());
dataCenterEmissionSources.add(dcEmissionSource); dataCenterEmissionSources.add(dcEmissionSource);
} }
entity.setDataCenterEmissionSources(dataCenterEmissionSources); entity.setDataCenterEmissionSources(dataCenterEmissionSources);
} }
return entity; return entity;
} }
@@ -127,19 +124,19 @@ public class DataCenterMapper extends BaseCreateUpdateMapper<DataCenter, DataCen
if (input.getDataCenter() != null) { if (input.getDataCenter() != null) {
entity.setDataCenter(input.getDataCenter()); entity.setDataCenter(input.getDataCenter());
} }
if (input.getExternalId() != null) { if (input.getExternalId() != null) {
entity.setExternalId(input.getExternalId()); entity.setExternalId(input.getExternalId());
} }
if (input.getNumber() != null) { if (input.getNumber() != null) {
entity.setNumber(input.getNumber()); entity.setNumber(input.getNumber());
} }
if (input.getConsuptionAmount() != null) { if (input.getConsuptionAmount() != null) {
entity.setConsuptionAmount(input.getConsuptionAmount()); entity.setConsuptionAmount(input.getConsuptionAmount());
} }
// Update relationships only if provided // Update relationships only if provided
if (input.getAreaId() != null) { if (input.getAreaId() != null) {
entity.setArea(areaService.findById(input.getAreaId()).orElse(null)); entity.setArea(areaService.findById(input.getAreaId()).orElse(null));
@@ -151,65 +148,62 @@ public class DataCenterMapper extends BaseCreateUpdateMapper<DataCenter, DataCen
if (input.getSectorId() != null) { if (input.getSectorId() != null) {
entity.setSector(sectorService.findById(input.getSectorId()).orElse(null)); entity.setSector(sectorService.findById(input.getSectorId()).orElse(null));
} }
if (input.getSubSectorId() != null) { if (input.getSubSectorId() != null) {
entity.setSubSector(subSectorService.findById(input.getSubSectorId()).orElse(null)); entity.setSubSector(subSectorService.findById(input.getSubSectorId()).orElse(null));
} }
if (input.getEmissionScopeId() != null) { if (input.getEmissionScopeId() != null) {
entity.setEmissionScope(emissionScopeService.findById(input.getEmissionScopeId()).orElse(null)); entity.setEmissionScope(emissionScopeService.findById(input.getEmissionScopeId()).orElse(null));
} }
if (input.getActivitySubUnitId() != null) { if (input.getActivitySubUnitId() != null) {
entity.setActivitySubUnit(activitySubUnitService.findById(input.getActivitySubUnitId()).orElse(null)); entity.setActivitySubUnit(activitySubUnitService.findById(input.getActivitySubUnitId()).orElse(null));
} }
// Handle multiple emission sources update if provided // Handle multiple emission sources update if provided
if (input.getDataCenterEmissionSources() != null) { if (input.getDataCenterEmissionSources() != null) {
// Clear existing emission sources from the managed collection // Clear existing emission sources and add new ones
entity.getDataCenterEmissionSources().clear(); entity.getDataCenterEmissionSources().clear();
// Add new emission sources to the same managed collection List<DataCenterEmissionSource> dataCenterEmissionSources = new ArrayList<>();
for (DataCenterEmissionSourceInput emissionSourceInput : input.getDataCenterEmissionSources()) { for (DataCenterEmissionSourceInput emissionSourceInput : input.getDataCenterEmissionSources()) {
DataCenterEmissionSource dcEmissionSource = new DataCenterEmissionSource(); DataCenterEmissionSource dcEmissionSource = new DataCenterEmissionSource();
dcEmissionSource.setDataCenter(entity); dcEmissionSource.setDataCenter(entity);
if (emissionSourceInput.getEmissionSourceId() != null) { if (emissionSourceInput.getEmissionSourceId() != null) {
dcEmissionSource.setEmissionSource(emissionSourceService dcEmissionSource.setEmissionSource(emissionSourceService.findById(UUID.fromString(emissionSourceInput.getEmissionSourceId())).orElse(null));
.findById(UUID.fromString(emissionSourceInput.getEmissionSourceId())).orElse(null));
} }
if (emissionSourceInput.getConsuptionUnitId() != null) { if (emissionSourceInput.getConsuptionUnitId() != null) {
dcEmissionSource.setConsuptionUnit(consuptionUnitService dcEmissionSource.setConsuptionUnit(consuptionUnitService.findById(UUID.fromString(emissionSourceInput.getConsuptionUnitId())).orElse(null));
.findById(UUID.fromString(emissionSourceInput.getConsuptionUnitId())).orElse(null));
} }
dcEmissionSource.setIsDefault( dcEmissionSource.setIsDefault(emissionSourceInput.getIsDefault() != null ? emissionSourceInput.getIsDefault() : false);
emissionSourceInput.getIsDefault() != null ? emissionSourceInput.getIsDefault() : false);
dcEmissionSource.setPercentage(emissionSourceInput.getPercentage()); dcEmissionSource.setPercentage(emissionSourceInput.getPercentage());
// Add to the existing managed collection instead of creating a new one dataCenterEmissionSources.add(dcEmissionSource);
entity.getDataCenterEmissionSources().add(dcEmissionSource);
} }
entity.setDataCenterEmissionSources(dataCenterEmissionSources);
} }
// New attributes (partial update - only if provided) // New attributes (partial update - only if provided)
if (input.getAyposURL() != null) { if (input.getAyposURL() != null) {
entity.setAyposURL(input.getAyposURL()); entity.setAyposURL(input.getAyposURL());
} }
if (input.getAddress() != null) { if (input.getAddress() != null) {
entity.setAddress(input.getAddress()); entity.setAddress(input.getAddress());
} }
if (input.getLatitude() != null) { if (input.getLatitude() != null) {
entity.setLatitude(input.getLatitude()); entity.setLatitude(input.getLatitude());
} }
if (input.getLongitude() != null) { if (input.getLongitude() != null) {
entity.setLongitude(input.getLongitude()); entity.setLongitude(input.getLongitude());
} }
return entity; return entity;
} }
} }

View File

@@ -11,16 +11,17 @@ import javax.transaction.Transactional;
import org.apache.commons.lang3.ObjectUtils; import org.apache.commons.lang3.ObjectUtils;
import org.springframework.beans.factory.annotation.Autowired; import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.data.domain.Sort; import org.springframework.data.domain.Sort;
import org.springframework.security.access.prepost.PreAuthorize;
import org.springframework.stereotype.Component; import org.springframework.stereotype.Component;
import com.sgs.graphql.auth.service.AuthorizationService;
import com.sgs.graphql.dataCenter.domain.DataCenter; import com.sgs.graphql.dataCenter.domain.DataCenter;
import com.sgs.graphql.dataCenter.domain.PhysicalMachine; import com.sgs.graphql.dataCenter.domain.PhysicalMachine;
import com.sgs.graphql.dataCenter.query.pagination.DataCenterPageable; import com.sgs.graphql.dataCenter.query.pagination.DataCenterPageable;
import com.sgs.graphql.dataCenter.repo.DataCenterRepo;
import com.sgs.graphql.dataCenter.repo.PhysicalMachineRepo;
import com.sgs.graphql.dataCenter.repo.criteria.DataCenterCriteria; import com.sgs.graphql.dataCenter.repo.criteria.DataCenterCriteria;
import com.sgs.graphql.dataCenter.service.DataCenterService; import com.sgs.graphql.dataCenter.service.DataCenterService;
import com.sgs.graphql.dataCenter.service.PhysicalMachineService; import com.sgs.graphql.systemHistory.mutation.SystemLogger;
import com.sgs.graphql.permission.domain.PermissionName;
import com.sgs.lib.dao.query.pagination.Pagination; import com.sgs.lib.dao.query.pagination.Pagination;
import com.sgs.lib.dao.query.sort.SortBy; import com.sgs.lib.dao.query.sort.SortBy;
@@ -29,46 +30,48 @@ import graphql.kickstart.tools.GraphQLQueryResolver;
@Component @Component
public class DataCenterQueryResolver implements GraphQLQueryResolver { public class DataCenterQueryResolver implements GraphQLQueryResolver {
private final DataCenterService dataCenterService; private final DataCenterService DataCenterService;
private final PhysicalMachineService physicalMachineService; private final DataCenterRepo dataCenterRepo;
private final PhysicalMachineRepo physicalMachineRepo;
private final AuthorizationService authorizationService;
private final SystemLogger systemLogger;
@Autowired @Autowired
public DataCenterQueryResolver(DataCenterService dataCenterService, PhysicalMachineService physicalMachineService) { public DataCenterQueryResolver(AuthorizationService authorizationService, SystemLogger systemLogger, DataCenterService DataCenterService, DataCenterRepo dataCenterRepo, PhysicalMachineRepo physicalMachineRepo) {
this.dataCenterService = dataCenterService; this.DataCenterService = DataCenterService;
this.physicalMachineService = physicalMachineService; this.dataCenterRepo = dataCenterRepo;
this.physicalMachineRepo = physicalMachineRepo;
this.authorizationService = authorizationService;
this.systemLogger = systemLogger;
} }
@PreAuthorize("hasAuthority('" + PermissionName.DATA_CENTER_READ + "')")
public DataCenter dataCenter(UUID id) { public DataCenter dataCenter(UUID id) {
return dataCenterService.findById(id).orElse(null); return DataCenterService.findById(id).orElse(null);
} }
@Transactional @Transactional
@PreAuthorize("hasAuthority('" + PermissionName.DATA_CENTER_READ + "')")
public List<DataCenter> dataCenters(DataCenterCriteria criteria, List<SortBy> sortBy) { public List<DataCenter> dataCenters(DataCenterCriteria criteria, List<SortBy> sortBy) {
return dataCenterService.filterWithSort(ObjectUtils.defaultIfNull(criteria, new DataCenterCriteria()), List<DataCenter> dataCenters = DataCenterService.filterWithSort(ObjectUtils.defaultIfNull(criteria, new DataCenterCriteria()),
Sort.by(ObjectUtils.defaultIfNull(sortBy, new ArrayList<SortBy>()) Sort.by(ObjectUtils.defaultIfNull(sortBy, new ArrayList<SortBy>())
.stream() .stream()
.map(SortBy::toOrder) .map(SortBy::toOrder)
.collect(Collectors.toList()))); .collect(Collectors.toList())));
return dataCenters;
} }
@PreAuthorize("hasAuthority('" + PermissionName.PAGINATE_DATACENTERS_GET + "')") public DataCenterPageable paginateDataCenters(Pagination pagination, DataCenterCriteria criteria, List<SortBy> sortBy) {
public DataCenterPageable paginateDataCenters(Pagination pagination, DataCenterCriteria criteria, return new DataCenterPageable(DataCenterService.filterWithPaginate(ObjectUtils.defaultIfNull(criteria, new DataCenterCriteria()),
List<SortBy> sortBy) { Pagination.toPageRequest(pagination, sortBy)));
return new DataCenterPageable(
dataCenterService.filterWithPaginate(ObjectUtils.defaultIfNull(criteria, new DataCenterCriteria()),
Pagination.toPageRequest(pagination, sortBy)));
} }
@PreAuthorize("hasAuthority('" + PermissionName.DATA_CENTER_READ + "')")
public Optional<DataCenter> getByNumber(Integer number) { public Optional<DataCenter> getByNumber(Integer id) {
return dataCenterService.findByNumber(number); return dataCenterRepo.findByNumber(id).stream().findFirst();
} }
@PreAuthorize("hasAuthority('" + PermissionName.DATA_CENTER_READ + "')")
public List<PhysicalMachine> physicalMachines(UUID datacenterId) { public List<PhysicalMachine> physicalMachines(UUID datacenterId) {
return physicalMachineService.findByDatacenterId(datacenterId); return physicalMachineRepo.findByDatacenterId(datacenterId);
} }
} }

View File

@@ -2,8 +2,7 @@ package com.sgs.graphql.dataCenter.repo;
import com.sgs.graphql.dataCenter.domain.DataCenter; import com.sgs.graphql.dataCenter.domain.DataCenter;
import com.sgs.graphql.dataCenter.domain.DataCenterEmissionSource; import com.sgs.graphql.dataCenter.domain.DataCenterEmissionSource;
import com.sgs.lib.dao.repo.BaseRepo; import org.springframework.data.jpa.repository.JpaRepository;
import org.springframework.data.jpa.repository.Query; import org.springframework.data.jpa.repository.Query;
import org.springframework.data.repository.query.Param; import org.springframework.data.repository.query.Param;
import org.springframework.stereotype.Repository; import org.springframework.stereotype.Repository;
@@ -12,14 +11,14 @@ import java.util.List;
import java.util.Optional; import java.util.Optional;
@Repository @Repository
public interface DataCenterEmissionSourceRepo extends BaseRepo<DataCenterEmissionSource> { public interface DataCenterEmissionSourceRepo extends JpaRepository<DataCenterEmissionSource, String> {
List<DataCenterEmissionSource> findByDataCenter(DataCenter dataCenter); List<DataCenterEmissionSource> findByDataCenter(DataCenter dataCenter);
Optional<DataCenterEmissionSource> findByDataCenterAndIsDefaultTrue(DataCenter dataCenter); Optional<DataCenterEmissionSource> findByDataCenterAndIsDefaultTrue(DataCenter dataCenter);
@Query("SELECT dces FROM DataCenterEmissionSource dces WHERE dces.dataCenter.id = :dataCenterId") @Query("SELECT dces FROM DataCenterEmissionSource dces WHERE dces.dataCenter.id = :dataCenterId")
List<DataCenterEmissionSource> findByDataCenterId(@Param("dataCenterId") String dataCenterId); List<DataCenterEmissionSource> findByDataCenterId(@Param("dataCenterId") String dataCenterId);
void deleteByDataCenter(DataCenter dataCenter); void deleteByDataCenter(DataCenter dataCenter);
} }

View File

@@ -1,6 +0,0 @@
package com.sgs.graphql.dataCenter.repo.criteria;
import com.sgs.lib.dao.repo.criteria.BaseCriteria;
public class DataCenterEmissionSourceCriteria extends BaseCriteria {
}

View File

@@ -1,6 +0,0 @@
package com.sgs.graphql.dataCenter.repo.criteria;
import com.sgs.lib.dao.repo.criteria.BaseCriteria;
public class PhysicalMachineCriteria extends BaseCriteria {
}

View File

@@ -1,6 +0,0 @@
package com.sgs.graphql.dataCenter.repo.criteria;
import com.sgs.lib.dao.repo.criteria.BaseCriteria;
public class VMCriteria extends BaseCriteria {
}

View File

@@ -1,17 +0,0 @@
package com.sgs.graphql.dataCenter.repo.criteria.spec;
import com.sgs.graphql.dataCenter.domain.DataCenterEmissionSource;
import com.sgs.graphql.dataCenter.repo.criteria.DataCenterEmissionSourceCriteria;
import com.sgs.lib.dao.repo.criteria.spec.BaseCriteriaSpec;
import org.springframework.data.jpa.domain.Specification;
import org.springframework.stereotype.Component;
@Component
public class DataCenterEmissionSourceCriteriaSpec
extends BaseCriteriaSpec<DataCenterEmissionSource, DataCenterEmissionSourceCriteria> {
@Override
public Specification<DataCenterEmissionSource> createForAll(DataCenterEmissionSourceCriteria criteria) {
return null;
}
}

View File

@@ -1,16 +0,0 @@
package com.sgs.graphql.dataCenter.repo.criteria.spec;
import com.sgs.graphql.dataCenter.domain.PhysicalMachine;
import com.sgs.graphql.dataCenter.repo.criteria.PhysicalMachineCriteria;
import com.sgs.lib.dao.repo.criteria.spec.BaseCriteriaSpec;
import org.springframework.data.jpa.domain.Specification;
import org.springframework.stereotype.Component;
@Component
public class PhysicalMachineCriteriaSpec extends BaseCriteriaSpec<PhysicalMachine, PhysicalMachineCriteria> {
@Override
public Specification<PhysicalMachine> createForAll(PhysicalMachineCriteria criteria) {
return null;
}
}

View File

@@ -1,16 +0,0 @@
package com.sgs.graphql.dataCenter.repo.criteria.spec;
import com.sgs.graphql.dataCenter.domain.VM;
import com.sgs.graphql.dataCenter.repo.criteria.VMCriteria;
import com.sgs.lib.dao.repo.criteria.spec.BaseCriteriaSpec;
import org.springframework.data.jpa.domain.Specification;
import org.springframework.stereotype.Component;
@Component
public class VMCriteriaSpec extends BaseCriteriaSpec<VM, VMCriteria> {
@Override
public Specification<VM> createForAll(VMCriteria criteria) {
return null;
}
}

View File

@@ -1,40 +0,0 @@
package com.sgs.graphql.dataCenter.service;
import com.sgs.graphql.dataCenter.domain.DataCenter;
import com.sgs.graphql.dataCenter.domain.DataCenterEmissionSource;
import com.sgs.graphql.dataCenter.repo.DataCenterEmissionSourceRepo;
import com.sgs.graphql.dataCenter.repo.criteria.DataCenterEmissionSourceCriteria;
import com.sgs.graphql.dataCenter.repo.criteria.spec.DataCenterEmissionSourceCriteriaSpec;
import com.sgs.lib.dao.service.BaseService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
import java.util.List;
import java.util.Optional;
@Service
public class DataCenterEmissionSourceService extends
BaseService<DataCenterEmissionSource, DataCenterEmissionSourceRepo, DataCenterEmissionSourceCriteria, DataCenterEmissionSourceCriteriaSpec> {
@Autowired
public DataCenterEmissionSourceService(DataCenterEmissionSourceRepo repository,
DataCenterEmissionSourceCriteriaSpec criteriaSpec) {
super(repository, criteriaSpec);
}
public List<DataCenterEmissionSource> findByDataCenter(DataCenter dataCenter) {
return getRepository().findByDataCenter(dataCenter);
}
public Optional<DataCenterEmissionSource> findByDataCenterAndIsDefaultTrue(DataCenter dataCenter) {
return getRepository().findByDataCenterAndIsDefaultTrue(dataCenter);
}
public List<DataCenterEmissionSource> findByDataCenterId(String dataCenterId) {
return getRepository().findByDataCenterId(dataCenterId);
}
public void deleteByDataCenter(DataCenter dataCenter) {
getRepository().deleteByDataCenter(dataCenter);
}
}

View File

@@ -8,26 +8,15 @@ import com.sgs.lib.dao.service.BaseService;
import org.springframework.beans.factory.annotation.Autowired; import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service; import org.springframework.stereotype.Service;
import java.util.Optional;
@Service @Service
public class DataCenterService public class DataCenterService extends BaseService<DataCenter, DataCenterRepo, DataCenterCriteria, DataCenterCriteriaSpec> {
extends BaseService<DataCenter, DataCenterRepo, DataCenterCriteria, DataCenterCriteriaSpec> {
@Autowired @Autowired
public DataCenterService(DataCenterRepo repository, DataCenterCriteriaSpec criteriaSpec) { public DataCenterService(DataCenterRepo repository, DataCenterCriteriaSpec criteriaSpec) {
super(repository, criteriaSpec); super(repository, criteriaSpec);
} }
public boolean existsByExternalId(Integer externalId) { public boolean existsByExternalId(Integer externalId) {
return getRepository().existsByExternalId(externalId); return getRepository().existsByExternalId(externalId);
} }
public Optional<DataCenter> findByNumber(Integer number) {
return getRepository().findByNumber(number);
}
public Integer findMaxNumber() {
return getRepository().findMaxNumber();
}
} }

View File

@@ -1,26 +0,0 @@
package com.sgs.graphql.dataCenter.service;
import com.sgs.graphql.dataCenter.domain.PhysicalMachine;
import com.sgs.graphql.dataCenter.repo.PhysicalMachineRepo;
import com.sgs.graphql.dataCenter.repo.criteria.PhysicalMachineCriteria;
import com.sgs.graphql.dataCenter.repo.criteria.spec.PhysicalMachineCriteriaSpec;
import com.sgs.lib.dao.service.BaseService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
import java.util.List;
import java.util.UUID;
@Service
public class PhysicalMachineService extends
BaseService<PhysicalMachine, PhysicalMachineRepo, PhysicalMachineCriteria, PhysicalMachineCriteriaSpec> {
@Autowired
public PhysicalMachineService(PhysicalMachineRepo repository, PhysicalMachineCriteriaSpec criteriaSpec) {
super(repository, criteriaSpec);
}
public List<PhysicalMachine> findByDatacenterId(UUID datacenterId) {
return getRepository().findByDatacenterId(datacenterId);
}
}

View File

@@ -1,29 +0,0 @@
package com.sgs.graphql.dataCenter.service;
import com.sgs.graphql.dataCenter.domain.VM;
import com.sgs.graphql.dataCenter.repo.VMRepo;
import com.sgs.graphql.dataCenter.repo.criteria.VMCriteria;
import com.sgs.graphql.dataCenter.repo.criteria.spec.VMCriteriaSpec;
import com.sgs.lib.dao.service.BaseService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
import java.util.List;
import java.util.Optional;
@Service
public class VMService extends BaseService<VM, VMRepo, VMCriteria, VMCriteriaSpec> {
@Autowired
public VMService(VMRepo repository, VMCriteriaSpec criteriaSpec) {
super(repository, criteriaSpec);
}
public List<VM> findAllByVmName(String vmName) {
return getRepository().findAllByVmName(vmName);
}
public Optional<VM> findFirstByVmNameOrderByIdDesc(String vmName) {
return getRepository().findFirstByVmNameOrderByIdDesc(vmName);
}
}

View File

@@ -22,8 +22,7 @@ import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service; import org.springframework.stereotype.Service;
@Service @Service
public class MainDataTableService public class MainDataTableService extends BaseService<MainDataTable, MainDataTableRepo, MainDataTableCriteria, MainDataTableCriteriaSpec> {
extends BaseService<MainDataTable, MainDataTableRepo, MainDataTableCriteria, MainDataTableCriteriaSpec> {
@PersistenceContext @PersistenceContext
private EntityManager entityManager; private EntityManager entityManager;
@@ -36,10 +35,10 @@ public class MainDataTableService
public List<VMEmissionSummary> getVMEmissionSummaries() { public List<VMEmissionSummary> getVMEmissionSummaries() {
return getVMEmissionSummaries(null); return getVMEmissionSummaries(null);
} }
public List<VMEmissionSummary> getVMEmissionSummaries(UUID datacenterId) { public List<VMEmissionSummary> getVMEmissionSummaries(UUID datacenterId) {
List<String> whereConditions = new ArrayList<>(); List<String> whereConditions = new ArrayList<>();
if (datacenterId != null) { if (datacenterId != null) {
whereConditions.add("dc.id = decode(replace(:datacenterId, '-', ''), 'hex')"); whereConditions.add("dc.id = decode(replace(:datacenterId, '-', ''), 'hex')");
} }
@@ -70,7 +69,7 @@ public class MainDataTableService
"""; """;
Query query = entityManager.createNativeQuery(sql); Query query = entityManager.createNativeQuery(sql);
// Add parameters if provided // Add parameters if provided
if (datacenterId != null) { if (datacenterId != null) {
query.setParameter("datacenterId", datacenterId.toString()); query.setParameter("datacenterId", datacenterId.toString());
@@ -78,42 +77,41 @@ public class MainDataTableService
@SuppressWarnings("unchecked") @SuppressWarnings("unchecked")
List<Object[]> results = query.getResultList(); List<Object[]> results = query.getResultList();
return results.stream().map(row -> { return results.stream().map(row -> {
VMEmissionSummary summary = new VMEmissionSummary(); VMEmissionSummary summary = new VMEmissionSummary();
// Handle UUID conversion from hex format // Handle UUID conversion from hex format
String uuidStr = (String) row[0]; String uuidStr = (String) row[0];
UUID vmId = convertHexToUUID(uuidStr); UUID vmId = convertHexToUUID(uuidStr);
summary.setVmId(vmId); summary.setVmId(vmId);
summary.setVmName((String) row[1]); summary.setVmName((String) row[1]);
summary.setVmPower((Double) row[2]); summary.setVmPower((Double) row[2]);
summary.setVmStatus((String) row[3]); summary.setVmStatus((String) row[3]);
summary.setTotalEmission((Double) row[4]); summary.setTotalEmission((Double) row[4]);
// Convert Timestamp to LocalDateTime for created_date // Convert Timestamp to LocalDateTime for created_date
Timestamp timestamp = (Timestamp) row[5]; Timestamp timestamp = (Timestamp) row[5];
if (timestamp != null) { if (timestamp != null) {
summary.setCreatedDate(timestamp.toLocalDateTime()); summary.setCreatedDate(timestamp.toLocalDateTime());
} }
summary.setPhysicalMachine((String) row[6]); summary.setPhysicalMachine((String) row[6]);
summary.setCloudSystem((String) row[7]); summary.setCloudSystem((String) row[7]);
summary.setDataCenter((String) row[8]); summary.setDataCenter((String) row[8]);
// Individual emission values // Individual emission values
summary.setCo2((Double) row[9]); summary.setCo2((Double) row[9]);
summary.setCh4((Double) row[10]); summary.setCh4((Double) row[10]);
summary.setN2o((Double) row[11]); summary.setN2o((Double) row[11]);
return summary; return summary;
}).collect(Collectors.toList()); }).collect(Collectors.toList());
} }
/** /**
* Converts PostgreSQL hex format UUID to proper UUID format * Converts PostgreSQL hex format UUID to proper UUID format
*
* @param hexUuid UUID in hex format (e.g., \x6205c18b8d1e4f0fa5154212fb44050b) * @param hexUuid UUID in hex format (e.g., \x6205c18b8d1e4f0fa5154212fb44050b)
* @return UUID object * @return UUID object
*/ */
@@ -123,11 +121,11 @@ public class MainDataTableService
String hex = hexUuid.substring(2); String hex = hexUuid.substring(2);
// Insert hyphens to make it a proper UUID format // Insert hyphens to make it a proper UUID format
// UUID format: xxxxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxxx // UUID format: xxxxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxxx
String formatted = hex.substring(0, 8) + "-" + String formatted = hex.substring(0, 8) + "-" +
hex.substring(8, 12) + "-" + hex.substring(8, 12) + "-" +
hex.substring(12, 16) + "-" + hex.substring(12, 16) + "-" +
hex.substring(16, 20) + "-" + hex.substring(16, 20) + "-" +
hex.substring(20); hex.substring(20);
return UUID.fromString(formatted); return UUID.fromString(formatted);
} else { } else {
// If it's already in proper format, parse directly // If it's already in proper format, parse directly

View File

@@ -838,8 +838,8 @@ public class MessageListener {
input.setVmId(vm.getId()); input.setVmId(vm.getId());
System.out.println("🔍 Setting VM ID: " + vm.getId()); System.out.println("🔍 Setting VM ID: " + vm.getId());
// Use the source-specific power consumption (percentage of total VM power) // Use the source-specific power consumption (percentage of total VM power)
// Format to 6 decimal places to avoid very long strings // Format to 6 decimal places to avoid very long strings
String formattedPower = String.format("%.6f", sourceSpecificPower); String formattedPower = String.format("%.6f", sourceSpecificPower);
input.setConsuptionAmount(formattedPower); input.setConsuptionAmount(formattedPower);
System.out.println("🔍 Setting Consumption Amount: " + formattedPower + "W"); System.out.println("🔍 Setting Consumption Amount: " + formattedPower + "W");
@@ -849,8 +849,7 @@ public class MessageListener {
System.out.println(" Year: " + (input.getYear() != null ? input.getYear().length() : "null")); System.out.println(" Year: " + (input.getYear() != null ? input.getYear().length() : "null"));
System.out.println(" Month: " + (input.getMonth() != null ? input.getMonth().length() : "null")); System.out.println(" Month: " + (input.getMonth() != null ? input.getMonth().length() : "null"));
System.out.println(" ConsuptionAmount: " + (input.getConsuptionAmount() != null ? input.getConsuptionAmount().length() : "null")); System.out.println(" ConsuptionAmount: " + (input.getConsuptionAmount() != null ? input.getConsuptionAmount().length() : "null"));
System.out.println("🔍 VM Emission Input for Source:"); System.out.println("🔍 VM Emission Input for Source:");
System.out.println(" VM ID: " + vm.getId()); System.out.println(" VM ID: " + vm.getId());
System.out.println(" VM Name: " + vm.getVmName()); System.out.println(" VM Name: " + vm.getVmName());

View File

@@ -17,10 +17,16 @@ security.jwt.token.secret-key=secret
app.survey.base-url=http://localhost.com app.survey.base-url=http://localhost.com
spring.rabbitmq.host=188.132.198.145 # spring.rabbitmq.host=188.132.198.145
# spring.rabbitmq.port=5672
# spring.rabbitmq.username=testuser
# spring.rabbitmq.password=JGasF24561AZv2894De
#spring.rabbitmq.host=rabbitmq
spring.rabbitmq.host=localhost
spring.rabbitmq.port=5672 spring.rabbitmq.port=5672
spring.rabbitmq.username=testuser spring.rabbitmq.username=guest
spring.rabbitmq.password=JGasF24561AZv2894De spring.rabbitmq.password=guest
spring.rabbitmq.virtual-host=/ spring.rabbitmq.virtual-host=/
spring.rabbitmq.connection-timeout=20000 spring.rabbitmq.connection-timeout=20000
spring.rabbitmq.template.retry.enabled=true spring.rabbitmq.template.retry.enabled=true
@@ -28,6 +34,3 @@ spring.rabbitmq.template.retry.max-attempts=3
spring.rabbitmq.template.retry.initial-interval=1000ms spring.rabbitmq.template.retry.initial-interval=1000ms
logging.level.org.springframework.amqp=DEBUG logging.level.org.springframework.amqp=DEBUG
spring.jpa.show-sql=true
logging.level.org.hibernate.SQL=DEBUG
logging.level.org.hibernate.type.descriptor.sql.BasicBinder=TRACE

View File

@@ -1,108 +1,104 @@
# SGE System Frontend # SGE System Frontend
## Overview ## Overview
The frontend of the SGE System is a modern web application built with **React**, providing an interactive and user-friendly interface. It communicates with the backend API to deliver a seamless experience for users. The frontend of the SGE System is a modern web application built with **React**, providing an interactive and user-friendly interface. It communicates with the backend API to deliver a seamless experience for users.
## Technology Stack ## Technology Stack
- **React** UI library - **React** UI library
- **React Router** Routing - **React Router** Routing
- **i18n** Internationalization - **i18n** Internationalization
- **Docker** Containerization - **Docker** Containerization
## Repository Structure ## Repository Structure
``` ```
SGE/ SGE/
├── sge-backend/ # Backend source code ├── sge-backend/ # Backend source code
├── sge-frontend/ # Frontend source code ├── sge-frontend/ # Frontend source code
├── config.conf # Centralized configuration file (see below) ├── config.conf # Centralized configuration file (see below)
├── docker-compose.yml # Docker Compose file (see below) ├── docker-compose.yml # Docker Compose file (see below)
``` ```
## Setup and Installation ## Setup and Installation
### Prerequisites ### Prerequisites
- **Node.js** (v14.0.0 required) and npm - **Node.js** (v14.0.0 required) and npm
- **Docker** (for containerized deployment) - **Docker** (for containerized deployment)
#### Node.js Version Management #### Node.js Version Management
If you need to switch Node versions, use nvm: If you need to switch Node versions, use nvm:
```sh ```sh
nvm install v14.0.0 nvm install v14.0.0
nvm use v14.0.0 nvm use v14.0.0
unset NODE_OPTIONS unset NODE_OPTIONS
``` ```
### Frontend Setup ### Frontend Setup
#### Local Development #### Local Development
1. Clone the repository and navigate to the frontend directory: 1. Clone the repository and navigate to the frontend directory:
```sh ```sh
git clone <repository-url> git clone <repository-url>
cd SGE/sge-frontend cd SGE/sge-frontend
``` ```
2. Ensure `config.conf` is in the project root (`SGE/`). 2. Ensure `config.conf` is in the project root (`SGE/`).
You can either: You can either:
- Manually set environment variables from `config.conf` - Manually set environment variables from `config.conf`
- Or configure your IDE to load variables from `config.conf` - Or configure your IDE to load variables from `config.conf`
3. Install dependencies: 3. Install dependencies:
```sh ```sh
npm install npm install
``` ```
4. Start the development server: 4. Start the development server:
```sh ```sh
npm start npm start
``` ```
#### Docker Deployment #### Docker Deployment
1. Ensure both `config.conf` and `docker-compose.yml` are in the project root (`SGE/`). 1. Ensure both `config.conf` and `docker-compose.yml` are in the project root (`SGE/`).
2. From the root directory, build and run the frontend (and backend) using Docker: 2. From the root directory, build and run the frontend (and backend) using Docker:
```sh ```sh
docker-compose up --build docker-compose up --build
``` ```
## Configuration Management ## Configuration Management
The SGE System uses a centralized `config.conf` file for all environment variables. The SGE System uses a centralized `config.conf` file for all environment variables.
**Location:** Place `config.conf` in the root directory of your project, alongside `docker-compose.yml`. **Location:** Place `config.conf` in the root directory of your project, alongside `docker-compose.yml`.
This file contains environment variables for both backend and frontend components, including: This file contains environment variables for both backend and frontend components, including:
- API connection settings - API connection settings
- Mail configuration - Mail configuration
- Application URLs - Application URLs
When running with Docker, environment variables are automatically loaded from `config.conf` via the `env_file` directive in `docker-compose.yml`. When running with Docker, environment variables are automatically loaded from `config.conf` via the `env_file` directive in `docker-compose.yml`.
For local development, you can either: For local development, you can either:
- Use the same `config.conf` file and manually set the environment variables - Use the same `config.conf` file and manually set the environment variables
- Configure your IDE to load these variables from the file - Configure your IDE to load these variables from the file
Refer to the backend README for more details on configuration options and structure. Refer to the backend README for more details on configuration options and structure.
## Integration with Backend ## Integration with Backend
The frontend expects the backend API to be available at the host and port specified in `config.conf` (`API_PROTOCOL`, `API_HOST`, `SERVER_PORT`). The frontend expects the backend API to be available at the host and port specified in `config.conf` (`API_PROTOCOL`, `API_HOST`, `SERVER_PORT`).
Ensure both services are configured consistently. Ensure both services are configured consistently.
## License ## License
[Insert your license information here] [Insert your license information here]
## CI/CD Testing v20

View File

@@ -1,32 +1,39 @@
server { server {
listen 80; listen 80;
server_name bgreen.blc-css.com; server_name bgreen.blc-css.com;
root /usr/share/nginx/html; root /usr/share/nginx/html;
index index.html index.htm; index index.html index.htm;
location / { location / {
try_files $uri /index.html; try_files $uri /index.html;
} }
location /api/v1/graphql { location /api/v1/graphql {
proxy_pass http://bgreen-backend:8080/api/v1/graphql; proxy_pass http://bgreen-backend:8080/api/v1/graphql;
proxy_set_header Host $host; proxy_set_header Host $host;
proxy_set_header X-Real-IP $remote_addr; proxy_set_header X-Real-IP $remote_addr;
} }
location /api/v1/upload { location /api/v1/upload {
proxy_pass http://bgreen-backend:8080/upload; proxy_pass http://bgreen-backend:8080/upload;
proxy_set_header Host $host; proxy_set_header Host $host;
proxy_set_header X-Real-IP $remote_addr; proxy_set_header X-Real-IP $remote_addr;
} }
# location /api/v1/datacenter { # location /api/v1/datacenter {
# proxy_pass http://backend:8080/api/v1/datacenter; # proxy_pass http://backend:8080/api/v1/datacenter;
# proxy_set_header Host $host; # proxy_set_header Host $host;
# proxy_set_header X-Real-IP $remote_addr; # proxy_set_header X-Real-IP $remote_addr;
# } # }
# Hata durumlarında da index.html'i sun # Hata durumlarında da index.html'i sun
error_page 404 /index.html; error_page 404 /index.html;
gzip on; gzip on;
gzip_vary on; gzip_vary on;
gzip_min_length 10240; gzip_min_length 10240;
gzip_proxied any; gzip_proxied any;
gzip_types text/plain text/css text/xml text/javascript application/javascript application/json application/xml application/rss+xml application/atom+xml image/svg+xml; gzip_types text/plain text/css text/xml text/javascript application/javascript application/json application/xml application/rss+xml application/atom+xml image/svg+xml;
gzip_comp_level 5; gzip_comp_level 5;
} }

View File

@@ -1,131 +1,131 @@
{ {
"name": "sgs-web", "name": "sgs-web",
"version": "1.0.2", "version": "1.0.0",
"private": true, "private": true,
"dependencies": { "dependencies": {
"@apollo/client": "^3.13.8", "@apollo/client": "^3.13.8",
"@casl/react": "4.0.0", "@casl/react": "4.0.0",
"@emotion/react": "^11.11.1", "@emotion/react": "^11.11.1",
"@emotion/styled": "^11.10.6", "@emotion/styled": "^11.10.6",
"@mui/icons-material": "^5.2.4", "@mui/icons-material": "^5.2.4",
"@mui/material": "^5.2.4", "@mui/material": "^5.2.4",
"animate.css": "4.1.1", "animate.css": "4.1.1",
"axios": "^0.21.1", "axios": "^0.21.1",
"bootstrap": "4.5.2", "bootstrap": "4.5.2",
"chart.js": "^4.3.0", "chart.js": "^4.3.0",
"chartjs-plugin-datalabels": "^2.2.0", "chartjs-plugin-datalabels": "^2.2.0",
"classnames": "2.2.6", "classnames": "2.2.6",
"dotenv": "^14.3.2", "dotenv": "^14.3.2",
"file-saver": "^2.0.5", "file-saver": "^2.0.5",
"graphql": "^16.11.0", "graphql": "^16.11.0",
"html2canvas": "^1.4.1", "html2canvas": "^1.4.1",
"i18next": "^22.4.14", "i18next": "^22.4.14",
"i18next-browser-languagedetector": "^7.0.1", "i18next-browser-languagedetector": "^7.0.1",
"i18next-http-backend": "^2.2.0", "i18next-http-backend": "^2.2.0",
"jquery": "^3.7.1", "jquery": "^3.7.1",
"jspdf": "^2.5.1", "jspdf": "^2.5.1",
"jwt-decode": "^3.1.2", "jwt-decode": "^3.1.2",
"leaflet": "^1.6.0", "leaflet": "^1.6.0",
"material-react-table": "^1.14.0", "material-react-table": "^1.14.0",
"moment": "2.29.1", "moment": "2.29.1",
"notistack": "^2.0.8", "notistack": "^2.0.8",
"postcss-rtl": "1.5.0", "postcss-rtl": "1.5.0",
"prop-types": "15.7.2", "prop-types": "15.7.2",
"react": "17.0.1", "react": "17.0.1",
"react-bootstrap": "^2.10.6", "react-bootstrap": "^2.10.6",
"react-chartjs-2": "^5.2.0", "react-chartjs-2": "^5.2.0",
"react-color": "^2.19.3", "react-color": "^2.19.3",
"react-data-table-component": "^7.5.0", "react-data-table-component": "^7.5.0",
"react-datepicker": "^4.16.0", "react-datepicker": "^4.16.0",
"react-dom": "17.0.1", "react-dom": "17.0.1",
"react-feather": "~2.0.3", "react-feather": "~2.0.3",
"react-i18next": "^12.2.0", "react-i18next": "^12.2.0",
"react-intl": "6.0.5", "react-intl": "6.0.5",
"react-leaflet": "^3.2.5", "react-leaflet": "^3.2.5",
"react-paginate": "8.2.0", "react-paginate": "8.2.0",
"react-perfect-scrollbar": "^1.5.5", "react-perfect-scrollbar": "^1.5.5",
"react-redux": "7.2.2", "react-redux": "7.2.2",
"react-router-dom": "^5.2.0", "react-router-dom": "^5.2.0",
"react-scroll-up": "1.3.7", "react-scroll-up": "1.3.7",
"react-select": "4.0.2", "react-select": "4.0.2",
"react-toastify": "^7.0.3", "react-toastify": "^7.0.3",
"reactstrap": "9.2.3", "reactstrap": "9.2.3",
"redux": "4.0.5", "redux": "4.0.5",
"redux-debounced": "0.5.0", "redux-debounced": "0.5.0",
"redux-thunk": "2.3.0", "redux-thunk": "2.3.0",
"styled-components": "^5.3.6", "styled-components": "^5.3.6",
"sweetalert2": "11.0.0", "sweetalert2": "11.0.0",
"sweetalert2-react-content": "4.2.0", "sweetalert2-react-content": "4.2.0",
"swiper": "6.0.4", "swiper": "6.0.4",
"uuid": "^9.0.0", "uuid": "^9.0.0",
"web-vitals": "^1.0.1", "web-vitals": "^1.0.1",
"websocket": "^1.0.34", "websocket": "^1.0.34",
"wnumb": "1.2.0", "wnumb": "1.2.0",
"xlsx": "^0.18.5", "xlsx": "^0.18.5",
"yarn": "1.21.1", "yarn": "1.21.1",
"yup": "0.32.8" "yup": "0.32.8"
}, },
"scripts": { "scripts": {
"start": "react-app-rewired start", "start": "react-app-rewired start",
"build:dev": "react-app-rewired build --mode development", "build:dev": "react-app-rewired build --mode development",
"build:prod": "react-app-rewired build --mode production", "build:prod": "react-app-rewired build --mode production",
"build": "react-app-rewired build", "build": "react-app-rewired build",
"test": "react-scripts test", "test": "react-scripts test",
"eject": "react-scripts eject", "eject": "react-scripts eject",
"lint": "eslint src/**/*.js src/**/*.jsx", "lint": "eslint src/**/*.js src/**/*.jsx",
"lint:fix": "eslint src/**/*.js --fix" "lint:fix": "eslint src/**/*.js --fix"
}, },
"eslintConfig": { "eslintConfig": {
"extends": [ "extends": [
"react-app", "react-app",
"react-app/jest" "react-app/jest"
] ]
}, },
"browserslist": { "browserslist": {
"production": [ "production": [
">0.2%", ">0.2%",
"not dead", "not dead",
"not op_mini all" "not op_mini all"
], ],
"development": [ "development": [
"last 1 chrome version", "last 1 chrome version",
"last 1 firefox version", "last 1 firefox version",
"last 1 safari version" "last 1 safari version"
] ]
}, },
"devDependencies": { "devDependencies": {
"@babel/core": "^7.27.1", "@babel/core": "^7.27.1",
"@babel/plugin-proposal-class-properties": "^7.18.6", "@babel/plugin-proposal-class-properties": "^7.18.6",
"@babel/plugin-syntax-dynamic-import": "^7.8.3", "@babel/plugin-syntax-dynamic-import": "^7.8.3",
"@babel/preset-env": "^7.27.1", "@babel/preset-env": "^7.27.1",
"@babel/preset-react": "^7.27.1", "@babel/preset-react": "^7.27.1",
"@craco/craco": "^7.1.0", "@craco/craco": "^7.1.0",
"@swc/core": "^1.11.24", "@swc/core": "^1.11.24",
"@types/leaflet": "^1.7.5", "@types/leaflet": "^1.7.5",
"@types/sortablejs": "^1.10.6", "@types/sortablejs": "^1.10.6",
"babel-eslint": "^10.1.0", "babel-eslint": "^10.1.0",
"babel-loader": "^10.0.0", "babel-loader": "^10.0.0",
"babel-plugin-styled-components": "^2.1.4", "babel-plugin-styled-components": "^2.1.4",
"core-js": "^3.42.0", "core-js": "^3.42.0",
"eslint": "^8.48.0", "eslint": "^8.48.0",
"eslint-config-react-app": "^7.0.1", "eslint-config-react-app": "^7.0.1",
"eslint-plugin-import": "^2.27.5", "eslint-plugin-import": "^2.27.5",
"eslint-plugin-jsx-a11y": "^6.7.1", "eslint-plugin-jsx-a11y": "^6.7.1",
"eslint-plugin-react": "^7.33.0", "eslint-plugin-react": "^7.33.0",
"eslint-plugin-react-hooks": "^4.6.0", "eslint-plugin-react-hooks": "^4.6.0",
"react-app-rewire-postcss": "^3.0.2", "react-app-rewire-postcss": "^3.0.2",
"react-app-rewired": "^2.2.1", "react-app-rewired": "^2.2.1",
"react-error-overlay": "^6.0.9", "react-error-overlay": "^6.0.9",
"react-loadable": "^5.5.0", "react-loadable": "^5.5.0",
"react-scripts": "^5.0.1", "react-scripts": "^5.0.1",
"sass": "^1.81.0", "sass": "^1.81.0",
"sass-loader": "^8.0.2", "sass-loader": "^8.0.2",
"swc-loader": "^0.2.6", "swc-loader": "^0.2.6",
"typescript": "^4.9.5", "typescript": "^4.9.5",
"webpack": "^5.96.1" "webpack": "^5.96.1"
}, },
"resolutions": { "resolutions": {
"react-error-overlay": "6.0.9" "react-error-overlay": "6.0.9"
}, },
"homepage": "" "homepage": ""
} }

View File

@@ -67,11 +67,7 @@
"Common": { "Common": {
"save": "Save", "save": "Save",
"cancel": "Cancel", "cancel": "Cancel"
"yes": "Yes",
"no": "No",
"areYouSure": "Are you sure?",
"cantRevert": "This action cannot be undone!"
}, },
"DataInput": { "DataInput": {

View File

@@ -1,315 +1,311 @@
{ {
"Actions": "Aksiyonlar", "Actions": "Aksiyonlar",
"Active": "Aktif", "Active": "Aktif",
"ByName": "İsme Göre", "ByName": "İsme Göre",
"CreatedTime": "Oluşturulma Zamanı", "CreatedTime": "Oluşturulma Zamanı",
"Description": " Açıklaması", "Description": " Açıklaması",
"Filter": "Filtrele", "Filter": "Filtrele",
"Management": "Yönetim", "Management": "Yönetim",
"Passive": "Pasif", "Passive": "Pasif",
"Show": "Göster", "Show": "Göster",
"Status": "Durum", "Status": "Durum",
"Time": "Zaman ", "Time": "Zaman ",
"Activities": { "Activities": {
"activity": "Aktivite ", "activity": "Aktivite ",
"activities": "Aktiviteler ", "activities": "Aktiviteler ",
"type": "Log Tipi", "type": "Log Tipi",
"message": "Log Mesajı" "message": "Log Mesajı"
}, },
"Areas": { "Areas": {
"addArea": "Alan Ekle", "addArea": "Alan Ekle",
"area": "Alan ", "area": "Alan ",
"areas": "Alanlar ", "areas": "Alanlar ",
"areaName": "Alan Adı ", "areaName": "Alan Adı ",
"city": "Şehir ", "city": "Şehir ",
"cities": "Şehirler ", "cities": "Şehirler ",
"cityName": "Şehir Adı ", "cityName": "Şehir Adı ",
"country": "Ülke ", "country": "Ülke ",
"countries": "Ülkeler ", "countries": "Ülkeler ",
"countryName": "Ülke Adı ", "countryName": "Ülke Adı ",
"countryCode": "Ülke Kodu ", "countryCode": "Ülke Kodu ",
"district": "İlçe ", "district": "İlçe ",
"districts": "İlçeler", "districts": "İlçeler",
"districtName": "İlçe Adı", "districtName": "İlçe Adı",
"neighborhood": "Mahalle ", "neighborhood": "Mahalle ",
"neighborhoods": "Mahalleler ", "neighborhoods": "Mahalleler ",
"neighborhoodName": "Mahalle Adı", "neighborhoodName": "Mahalle Adı",
"addNeighborhood": "Mahalle Ekle", "addNeighborhood": "Mahalle Ekle",
"latitude": "Enlem", "latitude": "Enlem",
"longitude": "Boylam" "longitude": "Boylam"
}, },
"Auth": { "Auth": {
"authorized": "Devam etmek için yetkilendirilmiş kullanıcı bilgilerinizi giriniz.", "authorized": "Devam etmek için yetkilendirilmiş kullanıcı bilgilerinizi giriniz.",
"didUForgotPassword": "Şifrenizi mi unuttunuz?", "didUForgotPassword": "Şifrenizi mi unuttunuz?",
"logout": ıkış Yap", "logout": ıkış Yap",
"logoutMessage": " Çıkış yaptınız. Yönlendiriliyorsunuz...", "logoutMessage": " Çıkış yaptınız. Yönlendiriliyorsunuz...",
"login": "Giriş Yap", "login": "Giriş Yap",
"loginMessage": " Giriş başarılı yönlendiriliyorsunuz...", "loginMessage": " Giriş başarılı yönlendiriliyorsunuz...",
"password": "Şifre ", "password": "Şifre ",
"welcome": "Hoşgeldiniz", "welcome": "Hoşgeldiniz",
"incorrectForm": "Kullanıcı bilgileri hatalıdır. Lütfen tekrar deneyiniz." "incorrectForm": "Kullanıcı bilgileri hatalıdır. Lütfen tekrar deneyiniz."
}, },
"Cruds": { "Cruds": {
"add": " Ekle", "add": " Ekle",
"cancel": " İptal", "cancel": " İptal",
"delete": "Sil", "delete": "Sil",
"edit": "Düzenle", "edit": "Düzenle",
"reactive": "Aktif Et", "reactive": "Aktif Et",
"save": "Kaydet", "save": "Kaydet",
"saving": "Kaydediliyor..", "saving": "Kaydediliyor..",
"update": "Güncelle" "update": "Güncelle"
}, },
"Common": { "Common": {
"save": "Kaydet", "save": "Kaydet",
"cancel": "İptal", "cancel": " İptal"
"yes": "Evet", },
"no": "Hayır",
"areYouSure": "Emin misiniz?", "DataInput": {
"cantRevert": "Bu işlem geri alınamaz!" "area": "Bölge ",
}, "report": "Rapor ",
"reports": "Raw Data",
"DataInput": { "data": "Veri ",
"area": "Bölge ", "datas": "Veriler ",
"report": "Rapor ", "dataInput": "Veri Girişi",
"reports": "Raw Data", "year": "Yıl",
"data": "Veri ", "month": "Ay",
"datas": "Veriler ", "consumptionAmount": "Tüketim Miktarı",
"dataInput": "Veri Girişi", "consumptionUnit": "Tüketim Birimi",
"year": "Yıl", "gpcReference": "GPC Referans",
"month": "Ay", "total": "Toplam ",
"consumptionAmount": "Tüketim Miktarı", "save": "Veriyi Kaydet",
"consumptionUnit": "Tüketim Birimi", "update": "Veriyi Güncelle",
"gpcReference": "GPC Referans", "showDeleted": "Silinen Raporları Göster",
"total": "Toplam ", "result": "Sonuç",
"save": "Veriyi Kaydet", "directToAllDatas": "Tüm Verileri Gör",
"update": "Veriyi Güncelle", "addNewData": "Yeni Veri Ekle",
"showDeleted": "Silinen Raporları Göster", "failUploadExcel": "Dosya yüklenirken hata oluştu!"
"result": "Sonuç", },
"directToAllDatas": "Tüm Verileri Gör",
"addNewData": "Yeni Veri Ekle", "Graphics": {
"failUploadExcel": "Dosya yüklenirken hata oluştu!" "graphics": "Raporlar",
}, "reports": "Raporlar"
},
"Graphics": {
"graphics": "Raporlar", "EmissionSources": {
"reports": "Raporlar" "dataSet": "Veri Seti",
}, "emissionSource": "Emisyon Kaynağı ",
"emissionSources": "Emisyon Kaynakları ",
"EmissionSources": { "emissionSourceName": "Emisyon Kaynağı Adı",
"dataSet": "Veri Seti", "addEmissionSource": "Emisyon Kaynağı Ekle",
"emissionSource": "Emisyon Kaynağı ", "existingEmissionName": "Bu isimde bir emisyon kaynağı mevcuttur!",
"emissionSources": "Emisyon Kaynakları ", "sector": "Veri Sektörü ",
"emissionSourceName": "Emisyon Kaynağı Adı", "sectors": "Veri Sektörleri ",
"addEmissionSource": "Emisyon Kaynağı Ekle", "subSector": "Sektör Alt Birimi ",
"existingEmissionName": "Bu isimde bir emisyon kaynağı mevcuttur!", "subSectors": "Sektör Alt Birimleri ",
"sector": "Veri Sektörü ", "subUnit": "Faaliyet Alt Birimi ",
"sectors": "Veri Sektörleri ", "subUnits": "Faaliyet Alt Birimleri ",
"subSector": "Sektör Alt Birimi ", "emissionScopes": "Emisyon Kapsamı ",
"subSectors": "Sektör Alt Birimleri ", "emissionFactors": "Emisyon Faktörleri ",
"subUnit": "Faaliyet Alt Birimi ", "showDeletedEmissionSource": "Silinen Emisyon Kaynaklarını Göster"
"subUnits": "Faaliyet Alt Birimleri ", },
"emissionScopes": "Emisyon Kapsamı ",
"emissionFactors": "Emisyon Faktörleri ", "Map": {
"showDeletedEmissionSource": "Silinen Emisyon Kaynaklarını Göster" "map": "Harita",
}, "goBack": "Geri dön",
"reference": "Referans",
"Map": { "title": "Harita"
"map": "Harita", },
"goBack": "Geri dön",
"reference": "Referans", "Months": {
"title": "Harita" "1": "Ocak",
}, "2": "Şubat",
"3": "Mart",
"Months": { "4": "Nisan",
"1": "Ocak", "5": "Mayıs",
"2": "Şubat", "6": "Haziran",
"3": "Mart", "7": "Temmuz",
"4": "Nisan", "8": "Ağustos",
"5": "Mayıs", "9": "Eylül",
"6": "Haziran", "10": "Ekim",
"7": "Temmuz", "11": "Kasım",
"8": "Ağustos", "12": "Aralık",
"9": "Eylül", "null": "Yıl Geneli",
"10": "Ekim", "0": "Yıl Geneli"
"11": "Kasım", },
"12": "Aralık",
"null": "Yıl Geneli", "Notifications": {
"0": "Yıl Geneli" "content": "İçerik ",
}, "notification": "Bildirim ",
"notifications": "Bildirimler ",
"Notifications": { "showAll": "Tüm Bildirimleri Göster",
"content": "İçerik ", "title": "Başlık ",
"notification": "Bildirim ", "notificationType": "Bildirim Tipi "
"notifications": "Bildirimler ", },
"showAll": "Tüm Bildirimleri Göster",
"title": "Başlık ", "Organizations": {
"notificationType": "Bildirim Tipi " "organization": "Organizasyon ",
}, "organizations": "Organizasyonlar",
"organizationName": "Organizasyon Adı",
"Organizations": { "parentOrganization": "Bağlı Olduğu Organizasyon",
"organization": "Organizasyon ", "childOrganization": "Alt Organizasyonu",
"organizations": "Organizasyonlar", "addOrganization": "Organizasyon Ekle",
"organizationName": "Organizasyon Adı", "existingName": "Bu isimde bir organizasyon mevcuttur!.",
"parentOrganization": "Bağlı Olduğu Organizasyon", "showDeletedOrganizations": "Silinen Organizasyonları Göster"
"childOrganization": "Alt Organizasyonu", },
"addOrganization": "Organizasyon Ekle",
"existingName": "Bu isimde bir organizasyon mevcuttur!.", "PasswordLabel": {
"showDeletedOrganizations": "Silinen Organizasyonları Göster" "passwordLabel": "Şifre",
}, "confirmPassword": "Şifre Tekrar",
"oldPassword": "Eski Şifre",
"PasswordLabel": { "newPassword": "Yeni Şifre",
"passwordLabel": "Şifre", "newConfirmPassword": "Yeni Şifre Tekrar",
"confirmPassword": "Şifre Tekrar", "verificationCode": "Doğrulama Kodu",
"oldPassword": "Eski Şifre", "cannotbeleftblank": " Boş Bırakılamaz ",
"newPassword": "Yeni Şifre", "passwordNotSame": "Şifreler aynı değil",
"newConfirmPassword": "Yeni Şifre Tekrar", "passwordValidation": "Şifre 6-20 karakter uzunluğunda, en az 1 sayı, 1 büyük harf ve 1 küçük harf içermelidir!",
"verificationCode": "Doğrulama Kodu",
"cannotbeleftblank": " Boş Bırakılamaz ", "forgotPassword": "Şifremi Unuttum",
"passwordNotSame": "Şifreler aynı değil", "enterEmail": "Geçerli bir email giriniz.",
"passwordValidation": "Şifre 6-20 karakter uzunluğunda, en az 1 sayı, 1 büyük harf ve 1 küçük harf içermelidir!", "send": "Gönder",
"redirectToReset": "Şifre sıfırlama ekranına yönlendiriliyorsunuz..",
"forgotPassword": "Şifremi Unuttum",
"enterEmail": "Geçerli bir email giriniz.", "resetPassword": "Şifre Sıfırlama",
"send": "Gönder", "resend": "Doğrulama Kodunu Tekrar Gönder",
"redirectToReset": "Şifre sıfırlama ekranına yönlendiriliyorsunuz..", "invalidVerificationCode": "Geçersiz doğrulama kodu!",
"redirectToLogin": "Giriş ekranına yönlendiriliyorsunuz.."
"resetPassword": "Şifre Sıfırlama", },
"resend": "Doğrulama Kodunu Tekrar Gönder",
"invalidVerificationCode": "Geçersiz doğrulama kodu!", "Roles": {
"redirectToLogin": "Giriş ekranına yönlendiriliyorsunuz.." "role": "Rol ",
}, "roles": "Roller",
"roleName": "Rol Adı",
"Roles": { "addRole": "Rol Ekle",
"role": "Rol ", "permissions": "Yetkiler",
"roles": "Roller", "existingRole": "Bu rol zaten mevcuttur."
"roleName": "Rol Adı", },
"addRole": "Rol Ekle",
"permissions": "Yetkiler", "Survey": {
"existingRole": "Bu rol zaten mevcuttur." "addAnswer": "Cevap Ekle",
}, "addSurvey": "Anket Ekle",
"addQuestion": "Soru Ekle",
"Survey": { "answer": "Cevap ",
"addAnswer": "Cevap Ekle", "answers": "Cevaplar",
"addSurvey": "Anket Ekle", "survey": "Anket",
"addQuestion": "Soru Ekle", "surveys": "Anketler ",
"answer": "Cevap ", "surveyName": "Anket Adı",
"answers": "Cevaplar", "question": "Soru ",
"survey": "Anket", "questions": "Sorular",
"surveys": "Anketler ", "tag": "Etiket",
"surveyName": "Anket Adı", "value": "Değer"
"question": "Soru ", },
"questions": "Sorular",
"tag": "Etiket", "Contact": {
"value": "Değer" "contact": "İletişim",
}, "contactInfo": "İletişim Bilgileri",
"contactEmail": "E-posta Adresi",
"Contact": { "contactPhoneNumber": "Telefon Numarası",
"contact": "İletişim", "contactAddress": "Adres"
"contactInfo": "İletişim Bilgileri", },
"contactEmail": "E-posta Adresi", "MailSettings": {
"contactPhoneNumber": "Telefon Numarası", "mailSettings": "E-posta Ayarları",
"contactAddress": "Adres" "editMailInfo": "E-posta Bilgilerini Düzenle",
}, "hostName": "Sunucu Adı",
"MailSettings": { "smtpPort": "SMTP Portu",
"mailSettings": "E-posta Ayarları", "emailAddress": "E-posta Adresi",
"editMailInfo": "E-posta Bilgilerini Düzenle", "emailPassword": "E-posta Şifresi",
"hostName": "Sunucu Adı", "leaveBlankNote": "(Mevcut şifreyi korumak için boş bırakın)",
"smtpPort": "SMTP Portu", "mainMail": "Ana e-posta yapılandırması olarak ayarla",
"emailAddress": "E-posta Adresi", "saveSettings": "Ayarları Kaydet",
"emailPassword": "E-posta Şifresi", "notConfigured": "E-posta yapılandırılmamış",
"leaveBlankNote": "(Mevcut şifreyi korumak için boş bırakın)", "noMailsRegistered": "Kayıtlı e-posta bulunamadı"
"mainMail": "Ana e-posta yapılandırması olarak ayarla", },
"saveSettings": "Ayarları Kaydet",
"notConfigured": "E-posta yapılandırılmamış", "Timer": {
"noMailsRegistered": "Kayıtlı e-posta bulunamadı" "continue": "Devam Et ",
}, "expire": "Oturum süreniz dolmak üzeredir.."
},
"Timer": {
"continue": "Devam Et ", "Users": {
"expire": "Oturum süreniz dolmak üzeredir.." "user": "Kullanıcı ",
}, "users": "Kullanıcılar ",
"userName": "Kullanıcı Adı ",
"Users": { "addUser": "Kullanıcı Ekle",
"user": "Kullanıcı ", "existingEmail": "Bu e-mail zaten mevcuttur.",
"users": "Kullanıcılar ", "existingPhoneNumber": "Bu telefon numarası zaten mevcuttur.",
"userName": "Kullanıcı Adı ", "showDeletedUsers": "Silinen Kullanıcıları Göster"
"addUser": "Kullanıcı Ekle", },
"existingEmail": "Bu e-mail zaten mevcuttur.",
"existingPhoneNumber": "Bu telefon numarası zaten mevcuttur.", "UserProfile": {
"showDeletedUsers": "Silinen Kullanıcıları Göster" "myProfile": "Profilim",
}, "firstName": "Ad",
"lastName": "Soyad",
"UserProfile": { "phoneNumber": "Telefon Numarası",
"myProfile": "Profilim", "avatar": "Profil Fotoğrafı",
"firstName": "Ad", "status": "Durum",
"lastName": "Soyad", "changePassword": "Şifre Değiştir",
"phoneNumber": "Telefon Numarası", "communicationPreferences": "İletişim Tercihleri",
"avatar": "Profil Fotoğrafı", "updateAvatar": "Profil Resmini Güncelle"
"status": "Durum", },
"changePassword": "Şifre Değiştir",
"communicationPreferences": "İletişim Tercihleri", "Warnings": {
"updateAvatar": "Profil Resmini Güncelle" "addedFail": " Eklenirken hata meydana geldi, lütfen tekrar deneyiniz.",
}, "addedSuccessfully": " Başarıyla Eklendi!",
"Warnings": { "updatedSuccessfully": " Başarıyla Güncellendi!",
"addedFail": " Eklenirken hata meydana geldi, lütfen tekrar deneyiniz.", "updatedFail": " Güncellenirken hata meydana geldi, lütfen tekrar deneyiniz.",
"addedSuccessfully": " Başarıyla Eklendi!",
"deletedSuccessfully": " Başarıyla Silindi!",
"updatedSuccessfully": " Başarıyla Güncellendi!", "deletedFail": " Silinirken hata meydana geldi, lütfen tekrar deneyiniz.",
"updatedFail": " Güncellenirken hata meydana geldi, lütfen tekrar deneyiniz.",
"genericUpdateFailed": "Güncelleme başarısız oldu. Lütfen tekrar deneyiniz.",
"deletedSuccessfully": " Başarıyla Silindi!", "notFound": "Bulunamadı",
"deletedFail": " Silinirken hata meydana geldi, lütfen tekrar deneyiniz.", "notUndone": "Bu işlem geri alınamaz!",
"required": "Tüm Alanlar Zorunludur!",
"genericUpdateFailed": "Güncelleme başarısız oldu. Lütfen tekrar deneyiniz.", "sureForDelete": " Silmek İstediğinize Emin Misiniz?",
"notFound": "Bulunamadı", "uniqueName": " Benzersiz bir isim veriniz! "
"notUndone": "Bu işlem geri alınamaz!", },
"required": "Tüm Alanlar Zorunludur!",
"sureForDelete": " Silmek İstediğinize Emin Misiniz?", "UserActivities": {
"uniqueName": " Benzersiz bir isim veriniz! " "title": "Kullanıcı Aktiviteleri"
}, },
"SystemActivities": {
"UserActivities": { "title": "Sistem Aktiviteleri"
"title": "Kullanıcı Aktiviteleri" },
},
"SystemActivities": { "DataCenter": {
"title": "Sistem Aktiviteleri" "title": "Veri Merkezleri",
}, "create": "Veri Merkezi Ekle",
"name": "İsim",
"DataCenter": { "namePlaceholder": "Veri merkezi ismini girin",
"title": "Veri Merkezleri", "externalId": "Harici ID",
"create": "Veri Merkezi Ekle", "externalIdPlaceholder": "Harici ID girin",
"name": "İsim", "number": "Numara",
"namePlaceholder": "Veri merkezi ismini girin", "numberPlaceholder": "Numara girin",
"externalId": "Harici ID", "url": "URL",
"externalIdPlaceholder": "Harici ID girin", "urlPlaceholder": "URL girin",
"number": "Numara", "createSuccess": "Veri merkezi başarıyla oluşturuldu",
"numberPlaceholder": "Numara girin", "deleteSuccess": "Veri merkezi başarıyla silindi",
"url": "URL", "searchPlaceholder": "Veri merkezlerinde ara..."
"urlPlaceholder": "URL girin", },
"createSuccess": "Veri merkezi başarıyla oluşturuldu",
"deleteSuccess": "Veri merkezi başarıyla silindi", "DataCenters": {
"searchPlaceholder": "Veri merkezlerinde ara..." "title": "Veri Merkezleri",
}, "create": "Veri Merkezi Ekle",
"name": "İsim",
"DataCenters": { "namePlaceholder": "Veri merkezi ismini girin",
"title": "Veri Merkezleri", "externalId": "Harici ID",
"create": "Veri Merkezi Ekle", "externalIdPlaceholder": "Harici ID girin",
"name": "İsim", "number": "Numara",
"namePlaceholder": "Veri merkezi ismini girin", "numberPlaceholder": "Numara girin",
"externalId": "Harici ID", "url": "URL",
"externalIdPlaceholder": "Harici ID girin", "urlPlaceholder": "URL girin",
"number": "Numara", "createSuccess": "Veri merkezi başarıyla oluşturuldu",
"numberPlaceholder": "Numara girin", "deleteSuccess": "Veri merkezi başarıyla silindi",
"url": "URL", "searchPlaceholder": "Veri merkezlerinde ara..."
"urlPlaceholder": "URL girin", }
"createSuccess": "Veri merkezi başarıyla oluşturuldu", }
"deleteSuccess": "Veri merkezi başarıyla silindi",
"searchPlaceholder": "Veri merkezlerinde ara..."
}
}

View File

@@ -49,9 +49,9 @@ export default [
permissionCheck("paginate_roles_get")) && [ permissionCheck("paginate_roles_get")) && [
{ {
id: "Organizations", id: "Organizations",
title: "Data Center Management", title: "DataCenters.title",
icon: <Home size={20} />, icon: <Home size={20} />,
navLink: "/veri-merkezi-yonetimi", navLink: "/organizasyonlar",
display: (permissionCheck("paginate_datacenters_get") || display: (permissionCheck("paginate_datacenters_get") ||
permissionCheck("data_center_create") || permissionCheck("data_center_create") ||
permissionCheck("data_center_update") || permissionCheck("data_center_update") ||
@@ -142,63 +142,9 @@ export default [
}, },
{ {
id: "DataCenter", id: "DataCenter",
title: "Data Center Overview", title: "Data Centers",
icon: <Zap size={20} />, icon: <Zap size={20} />,
navLink: "/veri-merkezi-genel", navLink: "/verimerkezi",
},
{
id: "Areas",
title: "Areas.areas",
icon: <Map size={20} />,
display:
permissionCheck("paginate_areas_get") ||
permissionCheck("paginate_countries_get") ||
permissionCheck("paginate_cities_get") ||
permissionCheck("paginate_districts_get") ||
permissionCheck("paginate_neighborhoods_get")
? ""
: "none",
children: (permissionCheck("paginate_areas_get") ||
permissionCheck("paginate_countries_get") ||
permissionCheck("paginate_cities_get") ||
permissionCheck("paginate_districts_get") ||
permissionCheck("paginate_neighborhoods_get")) && [
{
id: "AreasManagement",
title: "Areas.areas",
icon: <ArrowRight size={20} />,
navLink: "/alanlar",
display: permissionCheck("paginate_areas_get") ? "" : "none",
},
{
id: "Countries",
title: "Areas.countries",
icon: <ArrowRight size={20} />,
navLink: "/ulkeler",
display: permissionCheck("paginate_countries_get") ? "" : "none",
},
{
id: "Cities",
title: "Areas.cities",
icon: <ArrowRight size={20} />,
navLink: "/iller",
display: permissionCheck("paginate_cities_get") ? "" : "none",
},
{
id: "Districts",
title: "Areas.districts",
icon: <ArrowRight size={20} />,
navLink: "/ilceler",
display: permissionCheck("paginate_districts_get") ? "" : "none",
},
{
id: "Neighborhoods",
title: "Areas.neighborhoods",
icon: <ArrowRight size={20} />,
navLink: "/mahalleler",
display: permissionCheck("paginate_neighborhoods_get") ? "" : "none",
},
],
}, },
{ {
id: "Survey", id: "Survey",

View File

@@ -49,9 +49,9 @@ export default [
permissionCheck("paginate_roles_get")) && [ permissionCheck("paginate_roles_get")) && [
{ {
id: "DataCenters", id: "DataCenters",
title: "Data Center Management", title: "DataCenters.title",
icon: <Zap size={20} />, icon: <Zap size={20} />,
navLink: "/veri-merkezi-yonetimi", navLink: "/organizasyonlar",
display: (permissionCheck("paginate_datacenters_get") || display: (permissionCheck("paginate_datacenters_get") ||
permissionCheck("data_center_create") || permissionCheck("data_center_create") ||
permissionCheck("data_center_update") || permissionCheck("data_center_update") ||
@@ -142,63 +142,9 @@ export default [
}, },
{ {
id: "DataCenter", id: "DataCenter",
title: "Data Center Overview", title: "DataCenters",
icon: <Zap size={20} />, icon: <Zap size={20} />,
navLink: "/veri-merkezi-genel", navLink: "/verimerkezi",
},
{
id: "Areas",
title: "Areas.areas",
icon: <Map size={20} />,
display:
permissionCheck("paginate_areas_get") ||
permissionCheck("paginate_countries_get") ||
permissionCheck("paginate_cities_get") ||
permissionCheck("paginate_districts_get") ||
permissionCheck("paginate_neighborhoods_get")
? ""
: "none",
children: (permissionCheck("paginate_areas_get") ||
permissionCheck("paginate_countries_get") ||
permissionCheck("paginate_cities_get") ||
permissionCheck("paginate_districts_get") ||
permissionCheck("paginate_neighborhoods_get")) && [
{
id: "AreasManagement",
title: "Areas.areas",
icon: <ArrowRight size={20} />,
navLink: "/alanlar",
display: permissionCheck("paginate_areas_get") ? "" : "none",
},
{
id: "Countries",
title: "Areas.countries",
icon: <ArrowRight size={20} />,
navLink: "/ulkeler",
display: permissionCheck("paginate_countries_get") ? "" : "none",
},
{
id: "Cities",
title: "Areas.cities",
icon: <ArrowRight size={20} />,
navLink: "/iller",
display: permissionCheck("paginate_cities_get") ? "" : "none",
},
{
id: "Districts",
title: "Areas.districts",
icon: <ArrowRight size={20} />,
navLink: "/ilceler",
display: permissionCheck("paginate_districts_get") ? "" : "none",
},
{
id: "Neighborhoods",
title: "Areas.neighborhoods",
icon: <ArrowRight size={20} />,
navLink: "/mahalleler",
display: permissionCheck("paginate_neighborhoods_get") ? "" : "none",
},
],
}, },
{ {
id: "Survey", id: "Survey",

View File

@@ -12,15 +12,6 @@ export const getAreas = () => {
id id
tag tag
isDeleted isDeleted
cities {
id
name
coordinates
country {
id
name
}
}
} }
} }
`, `,

View File

@@ -34,69 +34,30 @@ export const getDataCenters = () => {
latitude latitude
longitude longitude
area { area {
id
tag tag
cities { name
id cityId
name districtId
}
districts {
id
name
}
} }
city { projects {
id id
name name
} physicalMachines {
emissionScope {
id
tag
description
}
sector {
id
tag
}
subSector {
id
tag
}
dataCenterEmissionSources {
id
emissionSource {
id id
tag name
} vms {
consuptionUnit { active {
id id
description status
} name
isDefault power
percentage config {
} id
activitySubUnit { cpu
id ram
tag disk
} }
physicalMachines { }
id
name
vms {
id
vmName
state
power
calcOn
hostingPm
host
flavorName
tag
config {
id
cpu
ram
disk
} }
} }
} }
@@ -116,7 +77,7 @@ export const getDataCenters = () => {
console.log("GraphQL Response:", { console.log("GraphQL Response:", {
status: response.status, status: response.status,
data: response.data, data: response.data,
errors: response.data?.errors, errors: response.data?.errors
}); });
// Check for GraphQL errors // Check for GraphQL errors
@@ -130,7 +91,7 @@ export const getDataCenters = () => {
} }
const dataCenters = response.data.data.dataCenters; const dataCenters = response.data.data.dataCenters;
// Validate dataCenters is an array // Validate dataCenters is an array
if (!Array.isArray(dataCenters)) { if (!Array.isArray(dataCenters)) {
throw new Error("Invalid response: dataCenters is not an array"); throw new Error("Invalid response: dataCenters is not an array");
@@ -149,7 +110,7 @@ export const getDataCenters = () => {
message: error.message, message: error.message,
response: error.response?.data, response: error.response?.data,
status: error.response?.status, status: error.response?.status,
stack: error.stack, stack: error.stack
}); });
// Check for specific error types // Check for specific error types
@@ -194,50 +155,10 @@ export const createDataCenter = (dataCenterData) => {
latitude latitude
longitude longitude
area { area {
id
tag tag
cities {
id
name
}
districts {
id
name
}
}
city {
id
name name
} cityId
emissionScope { districtId
id
tag
description
}
sector {
id
tag
}
subSector {
id
tag
}
dataCenterEmissionSources {
id
emissionSource {
id
tag
}
consuptionUnit {
id
description
}
isDefault
percentage
}
activitySubUnit {
id
tag
} }
} }
} }
@@ -248,23 +169,13 @@ export const createDataCenter = (dataCenterData) => {
externalId: parseInt(dataCenterData.externalId), externalId: parseInt(dataCenterData.externalId),
ayposURL: dataCenterData.ayposURL || "", ayposURL: dataCenterData.ayposURL || "",
number: parseInt(dataCenterData.number) || 1, number: parseInt(dataCenterData.number) || 1,
areaId: dataCenterData.areaId || null, areaId: dataCenterData.areaId,
cityId: dataCenterData.cityId || null,
address: dataCenterData.address || "", address: dataCenterData.address || "",
latitude: dataCenterData.latitude latitude: dataCenterData.latitude ? parseFloat(dataCenterData.latitude) : null,
? parseFloat(dataCenterData.latitude) longitude: dataCenterData.longitude ? parseFloat(dataCenterData.longitude) : null,
: null, city: dataCenterData.city
longitude: dataCenterData.longitude }
? parseFloat(dataCenterData.longitude) }
: null,
emissionScopeId: dataCenterData.emissionScopeId || null,
sectorId: dataCenterData.sectorId || null,
subSectorId: dataCenterData.subSectorId || null,
dataCenterEmissionSources:
dataCenterData.dataCenterEmissionSources || [],
activitySubUnitId: dataCenterData.activitySubUnitId || null,
},
},
}, },
{ {
headers: { headers: {
@@ -277,7 +188,7 @@ export const createDataCenter = (dataCenterData) => {
console.log("Create Response:", { console.log("Create Response:", {
status: response.status, status: response.status,
data: response.data, data: response.data,
errors: response.data?.errors, errors: response.data?.errors
}); });
if (response.data?.errors) { if (response.data?.errors) {
@@ -329,50 +240,10 @@ export const updateDataCenter = (id, dataCenterData) => {
latitude latitude
longitude longitude
area { area {
id
tag tag
cities {
id
name
}
districts {
id
name
}
}
city {
id
name name
} cityId
emissionScope { districtId
id
tag
description
}
sector {
id
tag
}
subSector {
id
tag
}
dataCenterEmissionSources {
id
emissionSource {
id
tag
}
consuptionUnit {
id
description
}
isDefault
percentage
}
activitySubUnit {
id
tag
} }
} }
} }
@@ -384,23 +255,13 @@ export const updateDataCenter = (id, dataCenterData) => {
externalId: parseInt(dataCenterData.externalId), externalId: parseInt(dataCenterData.externalId),
ayposURL: dataCenterData.ayposURL || "", ayposURL: dataCenterData.ayposURL || "",
number: parseInt(dataCenterData.number) || 1, number: parseInt(dataCenterData.number) || 1,
areaId: dataCenterData.areaId || null, areaId: dataCenterData.areaId,
cityId: dataCenterData.cityId || null,
address: dataCenterData.address || "", address: dataCenterData.address || "",
latitude: dataCenterData.latitude latitude: dataCenterData.latitude ? parseFloat(dataCenterData.latitude) : null,
? parseFloat(dataCenterData.latitude) longitude: dataCenterData.longitude ? parseFloat(dataCenterData.longitude) : null,
: null, city: dataCenterData.city
longitude: dataCenterData.longitude }
? parseFloat(dataCenterData.longitude) }
: null,
emissionScopeId: dataCenterData.emissionScopeId || null,
sectorId: dataCenterData.sectorId || null,
subSectorId: dataCenterData.subSectorId || null,
dataCenterEmissionSources:
dataCenterData.dataCenterEmissionSources || [],
activitySubUnitId: dataCenterData.activitySubUnitId || null,
},
},
}, },
{ {
headers: { headers: {
@@ -415,7 +276,7 @@ export const updateDataCenter = (id, dataCenterData) => {
dispatch({ dispatch({
type: "UPDATE_DATA_CENTER_SUCCESS", type: "UPDATE_DATA_CENTER_SUCCESS",
payload: response.data.data.updateDataCenter, payload: response.data.data.updateDataCenter
}); });
return response.data.data.updateDataCenter; return response.data.data.updateDataCenter;
@@ -448,8 +309,8 @@ export const deleteDataCenter = (id) => {
} }
`, `,
variables: { variables: {
id: id, id: id
}, }
}, },
{ {
headers: { headers: {
@@ -464,7 +325,7 @@ export const deleteDataCenter = (id) => {
dispatch({ dispatch({
type: "DELETE_DATA_CENTER_SUCCESS", type: "DELETE_DATA_CENTER_SUCCESS",
payload: id, payload: id
}); });
return true; return true;
@@ -481,113 +342,69 @@ export const deleteDataCenter = (id) => {
}; };
}; };
export const getEmissionScopes = () => {
return async (dispatch) => {
dispatch({
type: "GET_EMISSION_SCOPES_LOADING",
});
try {
const response = await ApplicationService.http().post(
"/graphql",
{
query: `
query GetEmissionScopes {
emissionScopes {
id
tag
description
}
}
`,
},
{
headers: {
Authorization: "Bearer " + localStorage.getItem("accessToken"),
},
}
);
if (response.data?.errors) {
throw new Error(response.data.errors[0].message);
}
dispatch({
type: "GET_EMISSION_SCOPES_SUCCESS",
payload: response.data.data.emissionScopes,
});
return response.data.data.emissionScopes;
} catch (error) {
console.error("Error fetching emission scopes:", error);
dispatch({
type: "GET_EMISSION_SCOPES_ERROR",
payload: {
error: error.message || "Failed to fetch emission scopes",
},
});
throw error;
}
};
};
export const getDataCenterVMs = (dataCenterId) => { export const getDataCenterVMs = (dataCenterId) => {
return new Promise(async (resolve, reject) => { return new Promise(async (resolve, reject) => {
// Don't make the request if dataCenterId is undefined, null, or empty // Don't make the request if dataCenterId is undefined, null, or empty
if (!dataCenterId || dataCenterId === "undefined") { if (!dataCenterId || dataCenterId === "undefined") {
console.log("getDataCenterVMs: No dataCenterId provided"); console.log('getDataCenterVMs: No dataCenterId provided');
resolve([]); resolve([]);
return; return;
} }
try { try {
console.log( console.log('getDataCenterVMs: Fetching VMs for data center:', dataCenterId);
"getDataCenterVMs: Fetching VMs for data center:", const response = await ApplicationService.http()
dataCenterId .post(
); "/graphql",
const response = await ApplicationService.http().post( {
"/graphql", query: `
{
query: `
{ {
dataCenter(id: "${dataCenterId}") { dataCenter(id: "${dataCenterId}") {
id id
dataCenter dataCenter
physicalMachines { projects {
id id
name name
vms { physicalMachines {
id id
vmName name
state vms {
power id
name
status
power
}
} }
} }
} }
} }
`, `,
},
{
headers: {
Authorization: "Bearer " + localStorage.getItem("accessToken"),
}, },
} {
); headers: {
Authorization: "Bearer " + localStorage.getItem("accessToken"),
},
}
);
const dataCenter = response?.data?.data?.dataCenter; const dataCenter = response?.data?.data?.dataCenter;
console.log("getDataCenterVMs: Data center response:", dataCenter); console.log('getDataCenterVMs: Data center response:', dataCenter);
let allVMs = []; let allVMs = [];
if (dataCenter && dataCenter.physicalMachines) { if (dataCenter && dataCenter.projects) {
dataCenter.physicalMachines.forEach((pm) => { dataCenter.projects.forEach(project => {
if (pm.vms) { if (project.physicalMachines) {
allVMs = allVMs.concat(pm.vms); project.physicalMachines.forEach(pm => {
if (pm.vms) {
allVMs = allVMs.concat(pm.vms);
}
});
} }
}); });
} }
console.log("getDataCenterVMs: Found VMs:", allVMs); console.log('getDataCenterVMs: Found VMs:', allVMs);
resolve(allVMs); resolve(allVMs);
} catch (error) { } catch (error) {
console.error("Error fetching VMs by data center:", error); console.error("Error fetching VMs by data center:", error);

View File

@@ -1,6 +1,6 @@
import ApplicationService from "../../../services/ApplicationService"; import ApplicationService from "../../../services/ApplicationService";
export const getVMEmissionSummary = (datacenterId) => { export const getVMEmissionSummary = () => {
return async (dispatch) => { return async (dispatch) => {
try { try {
const response = await ApplicationService.http() const response = await ApplicationService.http()
@@ -8,8 +8,8 @@ export const getVMEmissionSummary = (datacenterId) => {
"/graphql", "/graphql",
{ {
query: ` query: `
query GetVMEmissions($datacenterId: ID) { {
vmEmissionSummary(datacenterId: $datacenterId) { vmEmissionSummary {
vmId vmId
vmName vmName
vmPower vmPower
@@ -17,7 +17,7 @@ export const getVMEmissionSummary = (datacenterId) => {
totalEmission totalEmission
createdDate createdDate
physicalMachine physicalMachine
cloudSystem project
dataCenter dataCenter
co2 co2
ch4 ch4
@@ -25,10 +25,7 @@ export const getVMEmissionSummary = (datacenterId) => {
reportGeneratedTime reportGeneratedTime
} }
} }
`, `
variables: {
datacenterId: datacenterId
}
}, },
{ {
headers: { headers: {
@@ -128,12 +125,11 @@ export const getMainDataTablesWithPaginate = (data) => {
{ {
paginateMainDataTables( paginateMainDataTables(
pagination: { page: 0, rowsPerPage: 100 } pagination: { page: 0, rowsPerPage: 100 }
criteria: { deleted: false, hasVm: true } criteria: { deleted: false }
sortBy: [{ field: "createdDate", direction: DESC }] sortBy: [{ field: "createdDate", direction: DESC }]
) { ) {
content { content {
id id
year
sector { sector {
id id
tag tag
@@ -142,40 +138,11 @@ export const getMainDataTablesWithPaginate = (data) => {
id id
tag tag
} }
activitySubUnit {
id
tag
}
emissionSource {
id
tag
}
emissionScope {
id
tag
}
co2 co2
ch4 ch4
n2o n2o
totalEmission totalEmission
createdDate createdDate
vm {
id
vmName
state
power
calcOn
hostingPm
host
flavorName
tag
config {
id
cpu
ram
disk
}
}
} }
pageInfo { pageInfo {
totalElements totalElements

View File

@@ -1,33 +0,0 @@
const initialState = {
emissionScopes: [],
loading: false,
error: null,
};
const emissionScopeReducer = (state = initialState, action) => {
switch (action.type) {
case "GET_EMISSION_SCOPES_LOADING":
return {
...state,
loading: true,
error: null,
};
case "GET_EMISSION_SCOPES_SUCCESS":
return {
...state,
loading: false,
emissionScopes: action.payload,
error: null,
};
case "GET_EMISSION_SCOPES_ERROR":
return {
...state,
loading: false,
error: action.payload.error,
};
default:
return state;
}
};
export default emissionScopeReducer;

View File

@@ -27,7 +27,6 @@ import surveys from "./surveys";
import uploads from "./upload"; import uploads from "./upload";
import mailSettings from "./mailSettings"; import mailSettings from "./mailSettings";
import dataCenter from "./dataCenter"; import dataCenter from "./dataCenter";
import emissionScope from "./emissionScope";
const rootReducer = combineReducers({ const rootReducer = combineReducers({
accessToken, accessToken,
@@ -58,7 +57,6 @@ const rootReducer = combineReducers({
uploads, uploads,
mailSettings, mailSettings,
dataCenter, dataCenter,
emissionScope,
}); });
export default rootReducer; export default rootReducer;

View File

@@ -25,7 +25,7 @@ const Routes = [
display: permissionCheck("paginate_users_get"), display: permissionCheck("paginate_users_get"),
}, },
{ {
path: "/veri-merkezi-yonetimi", path: "/organizasyonlar",
component: lazy(() => import("../../views/DataCenterManagement")), component: lazy(() => import("../../views/DataCenterManagement")),
display: permissionCheck("paginate_datacenters_get") || display: permissionCheck("paginate_datacenters_get") ||
permissionCheck("data_center_create") || permissionCheck("data_center_create") ||
@@ -74,7 +74,7 @@ const Routes = [
display: permissionCheck("activity_sub_units_get"), display: permissionCheck("activity_sub_units_get"),
}, },
{ {
path: "/veri-merkezi-genel", path: "/verimerkezi",
component: lazy(() => import("../../views/DataCenter")), component: lazy(() => import("../../views/DataCenter")),
}, },
{ {

File diff suppressed because it is too large Load Diff

View File

@@ -1,218 +1,218 @@
import React, { useEffect, useState } from "react"; import React, { useEffect, useState } from "react";
import { import {
Button, Button,
Card, Card,
CardHeader, CardHeader,
CardTitle, CardTitle,
Col, Col,
Modal, Modal,
ModalBody, ModalBody,
ModalHeader, ModalHeader,
Row, Row,
UncontrolledTooltip, // Add UncontrolledTooltip import UncontrolledTooltip, // Add UncontrolledTooltip import
} from "reactstrap"; } from "reactstrap";
import { Edit, Mail, Phone, MapPin } from "react-feather"; // Import Mail, Phone, MapPin import { Edit, Mail, Phone, MapPin } from "react-feather"; // Import Mail, Phone, MapPin
import { useSnackbar } from "notistack"; import { useSnackbar } from "notistack";
import { useTranslation } from "react-i18next"; import { useTranslation } from "react-i18next";
import { useDispatch, useSelector } from "react-redux"; import { useDispatch, useSelector } from "react-redux";
import { permissionCheck } from "../components/permission-check"; import { permissionCheck } from "../components/permission-check";
import { import {
getMailSettings, getMailSettings,
clearMailSuccess, clearMailSuccess,
clearMailError, clearMailError,
} from "../redux/actions/mailSettings"; } from "../redux/actions/mailSettings";
import MailSettings from "./MailSettings"; import MailSettings from "./MailSettings";
import SpinnerComponent from "../@core/components/spinner/Fallback-spinner"; import SpinnerComponent from "../@core/components/spinner/Fallback-spinner";
// Import custom styles for the communication page // Import custom styles for the communication page
import "../assets/scss/pages/communication.scss"; import "../assets/scss/pages/communication.scss";
function Communication() { function Communication() {
const { t } = useTranslation(); const { t } = useTranslation();
const dispatch = useDispatch(); const dispatch = useDispatch();
const { enqueueSnackbar } = useSnackbar(); const { enqueueSnackbar } = useSnackbar();
const { currentSettings, loading, success, error } = useSelector( const { currentSettings, loading, success, error } = useSelector(
// Add loading to useSelector // Add loading to useSelector
(state) => state.mailSettings (state) => state.mailSettings
); );
const [showMailModal, setShowMailModal] = useState(false); const [showMailModal, setShowMailModal] = useState(false);
useEffect(() => { useEffect(() => {
// Load mail settings once when component mounts // Load mail settings once when component mounts
dispatch(getMailSettings()); dispatch(getMailSettings());
}, [dispatch]); }, [dispatch]);
useEffect(() => { useEffect(() => {
if (success) { if (success) {
enqueueSnackbar(t("Warnings.updatedSuccessfully"), { enqueueSnackbar(t("Warnings.updatedSuccessfully"), {
variant: "success", variant: "success",
}); });
dispatch(clearMailSuccess()); dispatch(clearMailSuccess());
} }
}, [success, enqueueSnackbar, t, dispatch]); }, [success, enqueueSnackbar, t, dispatch]);
useEffect(() => { useEffect(() => {
if (error) { if (error) {
const errorMessage = const errorMessage =
error?.graphQLErrors?.[0]?.message || error?.graphQLErrors?.[0]?.message ||
error?.message || error?.message ||
t("Warnings.genericUpdateFailed"); t("Warnings.genericUpdateFailed");
enqueueSnackbar(errorMessage, { enqueueSnackbar(errorMessage, {
variant: "error", variant: "error",
}); });
dispatch(clearMailError()); dispatch(clearMailError());
} }
}, [error, enqueueSnackbar, t, dispatch]); }, [error, enqueueSnackbar, t, dispatch]);
// Get email address from settings or use default from environment variable // Get email address from settings or use default from environment variable
const defaultEmail = process.env.REACT_APP_DEFAULT_EMAIL || ""; const defaultEmail = process.env.REACT_APP_DEFAULT_EMAIL || "";
// Use default email if currentSettings is null or emailAddress is null // Use default email if currentSettings is null or emailAddress is null
const emailAddress = currentSettings?.emailAddress || defaultEmail; const emailAddress = currentSettings?.emailAddress || defaultEmail;
const handleEmailClick = () => { const handleEmailClick = () => {
if (emailAddress) { if (emailAddress) {
window.location.href = `mailto:${emailAddress}`; window.location.href = `mailto:${emailAddress}`;
} }
}; };
const handleCloseModal = () => { const handleCloseModal = () => {
setShowMailModal(false); setShowMailModal(false);
}; };
return ( return (
<div style={{ marginTop: "2%" }}> <div style={{ marginTop: "2%" }}>
{loading && !currentSettings ? ( {loading && !currentSettings ? (
<div <div
style={{ style={{
display: "flex", display: "flex",
justifyContent: "center", justifyContent: "center",
alignItems: "center", alignItems: "center",
minHeight: 200, minHeight: 200,
}} }}
> >
<SpinnerComponent /> <SpinnerComponent />
</div> </div>
) : ( ) : (
<> <>
{permissionCheck("settings_access") && ( {permissionCheck("settings_access") && (
<> <>
<Modal <Modal
isOpen={showMailModal} isOpen={showMailModal}
toggle={handleCloseModal} toggle={handleCloseModal}
className="modal-dialog-centered" className="modal-dialog-centered"
size="lg" size="lg"
> >
<ModalHeader toggle={handleCloseModal}> <ModalHeader toggle={handleCloseModal}>
{t("MailSettings.editMailInfo")} {t("MailSettings.editMailInfo")}
</ModalHeader> </ModalHeader>
<ModalBody> <ModalBody>
<MailSettings closeModal={handleCloseModal} /> <MailSettings closeModal={handleCloseModal} />
</ModalBody> </ModalBody>
</Modal> </Modal>
</> </>
)} )}
<Card className="border-bottom"> <Card className="border-bottom">
<CardHeader className="border-bottom"> <CardHeader className="border-bottom">
<CardTitle tag="h2" className="row ml-md-2 align-items-center"> <CardTitle tag="h2" className="row ml-md-2 align-items-center">
{t("Contact.contactInfo")} {t("Contact.contactInfo")}
</CardTitle> </CardTitle>
</CardHeader> </CardHeader>
<Row> <Row>
<Col className="pl-md-5 pl-2 col-md-6 col-12"> <Col className="pl-md-5 pl-2 col-md-6 col-12">
<Row className="mx-0 mt-1"> <Row className="mx-0 mt-1">
<Col sm="6" md="5" className="mr-2"> <Col sm="6" md="5" className="mr-2">
<div className="email-container d-flex align-items-center justify-content-between"> <div className="email-container d-flex align-items-center justify-content-between">
<div> <div>
<h4> <h4>
<Mail size={16} className="mr-1" />{" "} <Mail size={16} className="mr-1" />{" "}
{t("Contact.contactEmail")} {t("Contact.contactEmail")}
</h4>{" "} </h4>{" "}
{/* Add Mail icon */} {/* Add Mail icon */}
<p <p
style={{ style={{
color: emailAddress ? "blue" : "inherit", color: emailAddress ? "blue" : "inherit",
textDecoration: emailAddress ? "underline" : "none", textDecoration: emailAddress ? "underline" : "none",
cursor: emailAddress ? "pointer" : "default", cursor: emailAddress ? "pointer" : "default",
}} }}
onClick={handleEmailClick} onClick={handleEmailClick}
> >
{emailAddress || {emailAddress ||
defaultEmail || defaultEmail ||
t("MailSettings.notConfigured")} t("MailSettings.notConfigured")}
</p> </p>
</div> </div>
{permissionCheck("settings_access") && ( {permissionCheck("settings_access") && (
<> <>
{" "} {" "}
{/* Wrap button and tooltip in fragment */} {/* Wrap button and tooltip in fragment */}
<Button <Button
color="flat-primary" color="flat-primary"
className="btn-icon" className="btn-icon"
onClick={() => setShowMailModal(true)} onClick={() => setShowMailModal(true)}
id="edit-email-btn" // Add id for tooltip id="edit-email-btn" // Add id for tooltip
> >
<Edit size={18} /> <Edit size={18} />
</Button> </Button>
<UncontrolledTooltip <UncontrolledTooltip
placement="top" placement="top"
target="edit-email-btn" // Target the button id target="edit-email-btn" // Target the button id
timeout={150} // Add timeout prop to fix the warning timeout={150} // Add timeout prop to fix the warning
> >
{t("MailSettings.editMailInfo")}{" "} {t("MailSettings.editMailInfo")}{" "}
{/* Tooltip text */} {/* Tooltip text */}
</UncontrolledTooltip> </UncontrolledTooltip>
</> </>
)} )}
</div> </div>
</Col> </Col>
<Col sm="6" md="5" className="mr-2"> <Col sm="6" md="5" className="mr-2">
<div className="telephone-container"> <div className="telephone-container">
<h4> <h4>
<Phone size={16} className="mr-1" />{" "} <Phone size={16} className="mr-1" />{" "}
{t("Contact.contactPhoneNumber")} {t("Contact.contactPhoneNumber")}
</h4>{" "} </h4>{" "}
{/* Add Phone icon */} {/* Add Phone icon */}
<p>+90 507 750 00 41</p> <p>+90 507 750 00 41</p>
</div> </div>
</Col> </Col>
</Row> </Row>
<Row className="mx-0 mt-4"> <Row className="mx-0 mt-4">
<Col sm="6" md="5" className="mr-2"> <Col sm="6" md="5" className="mr-2">
<div className="address-container"> <div className="address-container">
<h4> <h4>
<MapPin size={16} className="mr-1" />{" "} <MapPin size={16} className="mr-1" />{" "}
{t("Contact.contactAddress")} {t("Contact.contactAddress")}
</h4>{" "} </h4>{" "}
{/* Add MapPin icon */} {/* Add MapPin icon */}
<address> <address>
Central Office: 4995 sokak no:3, Alacaatlı Mahallesi, Central Office: 4995 sokak no:3, Alacaatlı Mahallesi,
Daire No: A2 06820 Çankaya/Ankara Daire No: A2 06810 Çankaya/Ankara
</address> </address>
</div> </div>
</Col> </Col>
</Row> </Row>
</Col> </Col>
<Col className="pl-md-5 pl-2 col-md-6 col-12 pb-2 border-left"> <Col className="pl-md-5 pl-2 col-md-6 col-12 pb-2 border-left">
<Row className="mx-0 mt-1"> <Row className="mx-0 mt-1">
<div className="address-map w-100"> <div className="address-map w-100">
<div className="responsive-map-container"> <div className="responsive-map-container">
<iframe <iframe
src="https://www.google.com/maps/embed?pb=!1m18!1m12!1m3!1d3063.1752741150003!2d32.658217075858445!3d39.847904971536735!2m3!1f0!2f0!3f0!3m2!1i1024!2i768!4f13.1!3m3!1m2!1s0x14d33eef6ee44755%3A0x77faea5f08f32c60!2zTUVBIEfDnFpFTEJBSMOHRU0!5e0!3m2!1sen!2str!4v1741165773414!5m2!1sen!2str" src="https://www.google.com/maps/embed?pb=!1m18!1m12!1m3!1d3063.1752741150003!2d32.658217075858445!3d39.847904971536735!2m3!1f0!2f0!3f0!3m2!1i1024!2i768!4f13.1!3m3!1m2!1s0x14d33eef6ee44755%3A0x77faea5f08f32c60!2zTUVBIEfDnFpFTEJBSMOHRU0!5e0!3m2!1sen!2str!4v1741165773414!5m2!1sen!2str"
allowFullScreen="" allowFullScreen=""
loading="lazy" loading="lazy"
referrerPolicy="no-referrer-when-downgrade" referrerPolicy="no-referrer-when-downgrade"
></iframe> ></iframe>
</div> </div>
</div> </div>
</Row> </Row>
</Col> </Col>
</Row> </Row>
</Card> </Card>
</> </>
)} )}
</div> </div>
); );
} }
export default Communication; export default Communication;

View File

@@ -18,16 +18,17 @@ const DataCenter = () => {
const [refreshInterval, setRefreshInterval] = useState(null); const [refreshInterval, setRefreshInterval] = useState(null);
const getAllPhysicalMachines = (dataCenter) => { const getAllPhysicalMachines = (dataCenter) => {
// Physical machines are directly in the dataCenter object, not in projects if (!dataCenter.projects) return [];
const pms = dataCenter.physicalMachines || []; return dataCenter.projects.flatMap(project =>
return pms; project.physicalMachines || []
);
}; };
// Table columns following your pattern // Table columns following your pattern
const initialColumns = [ const initialColumns = [
{ {
name: "External ID", name: "Number",
selector: (row) => row.externalId, selector: (row) => row.number,
sortable: true, sortable: true,
minWidth: "100px", minWidth: "100px",
}, },
@@ -37,33 +38,19 @@ const DataCenter = () => {
sortable: true, sortable: true,
minWidth: "200px", minWidth: "200px",
}, },
// Projects - Based on API response, this field might not exist or be structured differently // Projects
// { {
// name: "Projects", name: "Projects",
// selector: (row) => row.projects?.length || 0, selector: (row) =>
// sortable: true, (row.projects || []).map((p) => p.name).join(", "),
// minWidth: "200px", sortable: false,
// cell: (row) => ( minWidth: "200px",
// <div> cell: (row) => (
// {row.projects && row.projects.length > 0 ? ( <span>
// <div className="d-flex flex-column"> {(row.projects || []).map((p) => p.name).join(", ") || "-"}
// {row.projects.map((project, index) => ( </span>
// <div ),
// key={project.id} },
// className={`badge badge-light-primary ${
// index > 0 ? "mt-1" : ""
// }`}
// >
// {project.name}
// </div>
// ))}
// </div>
// ) : (
// <span className="text-muted">-</span>
// )}
// </div>
// ),
// },
// Physical Machines // Physical Machines
{ {
name: "Physical Machines", name: "Physical Machines",
@@ -81,55 +68,26 @@ const DataCenter = () => {
}, },
}, },
{ {
name: "Virtual Machines", name: "Total Active VMs",
selector: (row) => { selector: (row) => {
const pms = getAllPhysicalMachines(row); const pms = getAllPhysicalMachines(row);
const vms = pms.reduce( return pms.reduce(
(acc, pm) => { (total, pm) => total + (pm.vms?.active?.length || 0),
if (!pm.vms) return acc; 0
return {
active:
acc.active +
pm.vms.filter((vm) => vm.state?.toLowerCase() === "active")
.length,
total: acc.total + pm.vms.length,
};
},
{ active: 0, total: 0 }
); );
return vms.total;
}, },
sortable: true, sortable: true,
minWidth: "200px", minWidth: "150px",
cell: (row) => { cell: (row) => {
const pms = getAllPhysicalMachines(row); const pms = getAllPhysicalMachines(row);
const vms = pms.reduce( const totalVMs = pms.reduce(
(acc, pm) => { (total, pm) => total + (pm.vms?.active?.length || 0),
if (!pm.vms) return acc; 0
return {
active:
acc.active +
pm.vms.filter((vm) => vm.state?.toLowerCase() === "active")
.length,
total: acc.total + pm.vms.length,
};
},
{ active: 0, total: 0 }
); );
return ( return (
<div className="d-flex align-items-center"> <div className="d-flex align-items-center">
<Monitor size={16} className="mr-2" /> <Monitor size={16} className="mr-1" />
<div> <span>{totalVMs}</span>
<div className="font-weight-bold">{vms.total} Total</div>
<div className="small">
<span className="text-success">{vms.active} Active</span>
<span className="text-muted mx-1"></span>
<span className="text-warning">
{vms.total - vms.active} Inactive
</span>
</div>
</div>
</div> </div>
); );
}, },
@@ -180,112 +138,76 @@ const DataCenter = () => {
<div key={pm.id} className="mb-3 border rounded p-3"> <div key={pm.id} className="mb-3 border rounded p-3">
<h6 className="text-primary">{pm.name}</h6> <h6 className="text-primary">{pm.name}</h6>
{/* All VMs */} {/* Active VMs */}
<div className="mb-2 d-flex justify-content-between align-items-center"> <p className="mb-2">
<h6 className="mb-0"> <strong>Active VMs ({pm.vms?.active?.length || 0}):</strong>
<Monitor size={16} className="mr-1" /> </p>
Virtual Machines ({pm.vms?.length || 0}) {pm.vms?.active?.length > 0 ? (
</h6> <div className="ml-3">
</div> {pm.vms.active.map((vm) => (
{pm.vms?.length > 0 ? ( <div
<div className="table-responsive mt-2"> key={vm.id}
<table className="table table-bordered table-hover"> className="mb-2 p-2 border-left border-success"
<thead className="thead-light"> >
<tr> <div className="row">
<th>Name</th> <div className="col-md-3">
<th>Status</th> <strong>Name:</strong> {vm.name}
<th>Power (W)</th> </div>
<th>Configuration</th> <div className="col-md-2">
<th>Host</th> <strong>Status:</strong>
</tr> <span className="badge badge-success ml-1">
</thead> {vm.status}
<tbody> </span>
{pm.vms.map((vm) => { </div>
const isActive = <div className="col-md-2">
vm.state && ["ACTIVE", "active"].includes(vm.state); <strong>Power:</strong> {vm.power}
return ( </div>
<tr key={vm.id}> <div className="col-md-5">
<td> <strong>Config:</strong> CPU: {vm.config?.cpu}, RAM:{" "}
<span className="font-weight-bold"> {vm.config?.ram}, Disk: {vm.config?.disk}
{vm.vmName || vm.vm_name} </div>
</span> </div>
</td> </div>
<td> ))}
<div
className={`d-inline-block px-2 py-1 rounded-pill ${
isActive
? "bg-light-success text-success"
: "bg-light-warning text-warning"
}`}
>
{vm.state}
</div>
</td>
<td>
{vm.power ? (
<span>{vm.power.toFixed(2)}</span>
) : (
<span className="text-muted">-</span>
)}
</td>
<td>
<div className="d-flex align-items-center">
<div className="mr-3">
<small className="text-muted d-block">
CPU
</small>
<span>
{vm.config?.cpu ||
(vm.confg && vm.confg[1]) ||
"-"}
</span>
</div>
<div className="mr-3">
<small className="text-muted d-block">
RAM
</small>
<span>
{vm.config?.ram ||
(vm.confg && vm.confg[2]) ||
"-"}{" "}
GB
</span>
</div>
<div>
<small className="text-muted d-block">
Disk
</small>
<span>
{vm.config?.disk ||
(vm.confg && vm.confg[3]) ||
"-"}{" "}
GB
</span>
</div>
</div>
</td>
<td>
<div className="d-flex align-items-center">
<Server size={14} className="mr-1" />
<span>
{vm.host ||
vm.hostingPm ||
(vm.confg && vm.confg[4]) ||
"-"}
</span>
</div>
</td>
</tr>
);
})}
</tbody>
</table>
</div> </div>
) : ( ) : (
<div className="text-center p-3 bg-light-secondary rounded"> <p className="text-muted ml-3">No active VMs</p>
<Monitor size={24} className="text-muted mb-1" /> )}
<p className="text-muted mb-0">No virtual machines found</p>
{/* Inactive VMs */}
<p className="mb-2 mt-3">
<strong>Inactive VMs ({pm.vms?.inactive?.length || 0}):</strong>
</p>
{pm.vms?.inactive?.length > 0 ? (
<div className="ml-3">
{pm.vms.inactive.map((vm) => (
<div
key={vm.id}
className="mb-2 p-2 border-left border-warning"
>
<div className="row">
<div className="col-md-3">
<strong>Name:</strong> {vm.name}
</div>
<div className="col-md-2">
<strong>Status:</strong>
<span className="badge badge-warning ml-1">
{vm.status}
</span>
</div>
<div className="col-md-2">
<strong>Power:</strong> {vm.power}
</div>
<div className="col-md-5">
<strong>Config:</strong> CPU: {vm.config?.cpu}, RAM:{" "}
{vm.config?.ram}, Disk: {vm.config?.disk}
</div>
</div>
</div>
))}
</div> </div>
) : (
<p className="text-muted ml-3">No inactive VMs</p>
)} )}
</div> </div>
))} ))}
@@ -293,6 +215,8 @@ const DataCenter = () => {
); );
}; };
return ( return (
<div style={{ marginTop: "2%" }}> <div style={{ marginTop: "2%" }}>
<Card> <Card>

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

View File

@@ -1,157 +1,101 @@
import React, { useState, useEffect, useMemo } from "react"; import React, { useState, useEffect } from "react";
import { MaterialReactTable } from "material-react-table"; import { MaterialReactTable } from "material-react-table";
import { useDispatch, useSelector } from "react-redux"; import { useDispatch, useSelector } from "react-redux";
import { useTranslation } from "react-i18next"; import { useTranslation } from "react-i18next";
import { import { Card, CardHeader, CardTitle, Alert } from "reactstrap";
Card,
CardHeader,
CardTitle,
Alert,
Row,
Col,
Label,
} from "reactstrap";
import { getVMEmissionSummary } from "../../redux/actions/mainDataTables/index"; import { getVMEmissionSummary } from "../../redux/actions/mainDataTables/index";
import { getDataCenters } from "../../redux/actions/dataCenter";
import { editNumbers } from "../../components/edit-numbers"; import { editNumbers } from "../../components/edit-numbers";
import Select from "react-select";
function MainDataTables() { function MainDataTables() {
const { t } = useTranslation(); const { t } = useTranslation();
const dispatch = useDispatch(); const dispatch = useDispatch();
const mainDataTablesStore = useSelector((state) => state.mainDataTables); const mainDataTablesStore = useSelector((state) => state.mainDataTables);
const dataCenterStore = useSelector((state) => state.dataCenter);
const [error, setError] = useState(null); const [error, setError] = useState(null);
const [selectedDataCenter, setSelectedDataCenter] = useState(null);
const [dataCenterOptions, setDataCenterOptions] = useState([]);
const [loading, setLoading] = useState(false);
// Fetch datacenters on component mount
useEffect(() => { useEffect(() => {
dispatch(getDataCenters()); try {
// Fetch VM emission data
dispatch(getVMEmissionSummary());
} catch (err) {
console.error('Error in MainDataTables:', err);
setError(err.message);
}
}, [dispatch]); }, [dispatch]);
// Update datacenter options when datacenters are loaded // Debug log for store data
useEffect(() => { useEffect(() => {
if (dataCenterStore?.dataCenters?.length > 0) { console.log('Current store data:', mainDataTablesStore);
const options = dataCenterStore.dataCenters.map((dataCenter) => ({ }, [mainDataTablesStore]);
value: dataCenter.id,
label: dataCenter.dataCenter,
externalId: dataCenter.externalId,
}));
setDataCenterOptions(options);
}
}, [dataCenterStore?.dataCenters]);
// Fetch VM emission data when datacenter is selected const columns = [
useEffect(() => { {
if (selectedDataCenter?.value) { header: "VM ID",
const fetchData = async () => { accessorKey: "vmId",
try { Cell: ({ cell }) => <span>{cell.getValue() || "-"}</span>,
setLoading(true); },
setError(null); {
await dispatch(getVMEmissionSummary(selectedDataCenter.value)); header: "Data Center",
} catch (err) { accessorKey: "dataCenter",
console.error("Error in MainDataTables:", err); Cell: ({ cell }) => <span>{cell.getValue() || "-"}</span>,
setError(err.message); },
} finally { {
setLoading(false); header: "Project",
} accessorKey: "project",
}; Cell: ({ cell }) => <span>{cell.getValue() || "-"}</span>,
fetchData(); },
} {
}, [selectedDataCenter, dispatch]); header: "Physical Machine",
accessorKey: "physicalMachine",
Cell: ({ cell }) => <span>{cell.getValue() || "-"}</span>,
},
{
header: "Virtual Machine",
accessorKey: "vmName",
Cell: ({ cell }) => <span>{cell.getValue() || "-"}</span>,
},
{
header: "VM Power (W)",
accessorKey: "vmPower",
Cell: ({ cell }) => <span>{editNumbers(cell.getValue()) || "-"}</span>,
},
{
header: "VM Status",
accessorKey: "vmStatus",
Cell: ({ cell }) => <span>{cell.getValue() || "-"}</span>,
},
{
header: "Total Emissions",
accessorKey: "totalEmission",
Cell: ({ cell }) => <span>{editNumbers(cell.getValue()) || "-"}</span>,
},
{
header: "CO2",
accessorKey: "co2",
Cell: ({ cell }) => <span>{editNumbers(cell.getValue()) || "-"}</span>,
},
{
header: "CH4",
accessorKey: "ch4",
Cell: ({ cell }) => <span>{editNumbers(cell.getValue()) || "-"}</span>,
},
{
header: "N2O",
accessorKey: "n2o",
Cell: ({ cell }) => <span>{editNumbers(cell.getValue()) || "-"}</span>,
},
{
header: "Created Date",
accessorKey: "createdDate",
Cell: ({ cell }) => (
<span>
{cell.getValue() ? new Date(cell.getValue()).toLocaleString() : "-"}
</span>
),
},
];
// Memoize columns to prevent re-renders const tableData = mainDataTablesStore?.vmEmissionSummary || [];
const columns = useMemo( console.log('VM Emission data:', tableData);
() => [
{
header: t("VM ID"),
accessorKey: "vmId",
size: 150,
Cell: ({ cell }) => <span>{cell.getValue() || "-"}</span>,
},
{
header: t("VM Name"),
accessorKey: "vmName",
size: 200,
Cell: ({ cell }) => <span>{cell.getValue() || "-"}</span>,
},
{
header: t("VM Power"),
accessorKey: "vmPower",
size: 120,
Cell: ({ cell }) => <span>{editNumbers(cell.getValue()) || "-"}</span>,
},
{
header: t("VM Status"),
accessorKey: "vmStatus",
size: 100,
Cell: ({ cell }) => <span>{cell.getValue() || "-"}</span>,
},
{
header: t("Total Emission"),
accessorKey: "totalEmission",
size: 150,
Cell: ({ cell }) => <span>{editNumbers(cell.getValue()) || "-"}</span>,
},
{
header: t("Physical Machine"),
accessorKey: "physicalMachine",
size: 150,
Cell: ({ cell }) => <span>{cell.getValue() || "-"}</span>,
},
{
header: t("Cloud System"),
accessorKey: "cloudSystem",
size: 150,
Cell: ({ cell }) => <span>{cell.getValue() || "-"}</span>,
},
{
header: t("Data Center"),
accessorKey: "dataCenter",
size: 150,
Cell: ({ cell }) => <span>{cell.getValue() || "-"}</span>,
},
{
header: "CO2",
accessorKey: "co2",
size: 100,
Cell: ({ cell }) => <span>{editNumbers(cell.getValue()) || "-"}</span>,
},
{
header: "CH4",
accessorKey: "ch4",
size: 100,
Cell: ({ cell }) => <span>{editNumbers(cell.getValue()) || "-"}</span>,
},
{
header: "N2O",
accessorKey: "n2o",
size: 100,
Cell: ({ cell }) => <span>{editNumbers(cell.getValue()) || "-"}</span>,
},
{
header: t("Created Date"),
accessorKey: "createdDate",
size: 180,
Cell: ({ cell }) => (
<span>
{cell.getValue() ? new Date(cell.getValue()).toLocaleString() : "-"}
</span>
),
sortable: true,
},
],
[t]
);
// Memoize table data to prevent unnecessary re-renders
const tableData = useMemo(() => {
const data = mainDataTablesStore?.vmEmissionSummary || [];
console.log("VM Emission data count:", data.length);
return data;
}, [mainDataTablesStore?.vmEmissionSummary]);
if (error) { if (error) {
return ( return (
@@ -165,109 +109,37 @@ function MainDataTables() {
<div style={{ marginTop: "2%" }}> <div style={{ marginTop: "2%" }}>
<Card> <Card>
<CardHeader className="border-bottom"> <CardHeader className="border-bottom">
<CardTitle tag="h4">{t("Raw Data")}</CardTitle> <CardTitle tag="h4">{t("Carbon Emission Data")}</CardTitle>
{tableData.length > 0 && (
<small className="text-muted">
{tableData.length} records loaded
</small>
)}
</CardHeader> </CardHeader>
<MaterialReactTable
{/* Datacenter Selection */} columns={columns}
<div className="p-3 border-bottom"> data={tableData}
<Row> enableColumnFilters={true}
<Col md="6"> enableFilters={true}
<Label for="datacenter-select">{t("Data Center")}</Label> enableGlobalFilter={true}
<Select enablePagination={true}
id="datacenter-select" enableColumnResizing={true}
value={selectedDataCenter} enableStickyHeader={true}
onChange={setSelectedDataCenter} muiTableContainerProps={{ sx: { maxHeight: 'calc(100vh - 180px)' } }}
options={dataCenterOptions} muiTableProps={{
placeholder={t("Select a data center...")} sx: {
isClearable tableLayout: 'auto',
isSearchable },
isLoading={dataCenterStore?.loading} }}
noOptionsMessage={() => t("No data centers available")} initialState={{
styles={{ pagination: {
menu: (provided) => ({ pageSize: 100,
...provided, pageIndex: 0
zIndex: 9999, // Ensure dropdown appears above other elements },
}), sorting: [
}} { id: 'dataCenter', desc: false }
menuPortalTarget={document.body} // Render dropdown in body to avoid container overflow ],
/> density: 'compact'
</Col> }}
</Row> state={{
</div> isLoading: !mainDataTablesStore?.vmEmissionSummary
}}
{selectedDataCenter ? ( />
<MaterialReactTable
columns={columns}
data={tableData}
// Performance optimizations for large datasets
enableColumnFilters={true}
enableFilters={true}
enableGlobalFilter={true}
enablePagination={true}
enableColumnResizing={true} // Disable resizing for better performance
enableStickyHeader={true}
enableRowVirtualization={true} // Enable virtualization for large datasets
enableColumnVirtualization={false} // Keep columns visible
// Pagination settings for large datasets
initialState={{
pagination: {
pageSize: 100, // Reduce page size for better performance
pageIndex: 0,
},
sorting: [{ id: "createdDate", desc: true }],
density: "compact",
}}
// Performance-optimized table props
muiTableContainerProps={{
sx: {
maxHeight: "calc(100vh - 250px)",
minHeight: "400px",
},
}}
muiTableProps={{
sx: {
tableLayout: "fixed", // Better performance with fixed layout
},
}}
// Pagination options
muiTablePaginationProps={{
rowsPerPageOptions: [10, 25, 50, 100],
showFirstButton: true,
showLastButton: true,
}}
// Loading and error states
state={{
isLoading: loading || mainDataTablesStore?.loading,
showProgressBars: loading || mainDataTablesStore?.loading,
showSkeletons: loading || mainDataTablesStore?.loading,
}}
// Disable features that can slow down large tables
enableRowSelection={false}
enableColumnOrdering={true}
enableColumnDragging={false}
enableDensityToggle={false}
enableFullScreenToggle={false}
// Custom loading overlay
renderProgressBarCell={({ cell }) => (
<div
style={{
width: "100%",
height: "20px",
backgroundColor: "#f0f0f0",
}}
/>
)}
/>
) : (
<div className="p-4 text-center text-muted">
{t("Please select a data center to view raw data")}
</div>
)}
</Card> </Card>
</div> </div>
); );

View File

@@ -32,87 +32,15 @@ import { getCities } from "../redux/actions/cities";
import { v4 as uuidv4 } from "uuid"; import { v4 as uuidv4 } from "uuid";
import { getCity } from "../redux/actions/city"; import { getCity } from "../redux/actions/city";
import { getDistrict } from "../redux/actions/district"; import { getDistrict } from "../redux/actions/district";
// import { import {
// getOrganisations, getOrganisations,
// getOrganisationById, getOrganisationById,
// } from "../redux/actions/organisations"; } from "../redux/actions/organisations";
import { getAreasWithCriteria } from "../redux/actions/areas"; import { getAreasWithCriteria } from "../redux/actions/areas";
import { ChromePicker } from "react-color"; import { ChromePicker } from "react-color";
import { customFilterForSelect } from "../utility/Utils"; import { customFilterForSelect } from "../utility/Utils";
import { permissionCheck } from "../components/permission-check"; import { permissionCheck } from "../components/permission-check";
import { getDataCenters } from "../redux/actions/dataCenter"; import { getDataCenters } from "../redux/actions/dataCenter";
import L from "leaflet";
// Custom data center icon
const dataCenterIcon = new L.Icon({
iconUrl:
"data:image/svg+xml;base64," +
btoa(`
<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 48 48" width="48" height="48">
<defs>
<linearGradient id="serverGradient" x1="0%" y1="0%" x2="0%" y2="100%">
<stop offset="0%" style="stop-color:#4A90E2;stop-opacity:1" />
<stop offset="100%" style="stop-color:#2E5BBA;stop-opacity:1" />
</linearGradient>
<linearGradient id="rackGradient" x1="0%" y1="0%" x2="0%" y2="100%">
<stop offset="0%" style="stop-color:#F5F5F5;stop-opacity:1" />
<stop offset="100%" style="stop-color:#E0E0E0;stop-opacity:1" />
</linearGradient>
</defs>
<!-- Main server rack -->
<rect x="8" y="4" width="32" height="40" rx="2" ry="2" fill="url(#rackGradient)" stroke="#B0B0B0" stroke-width="1"/>
<!-- Server units -->
<rect x="10" y="6" width="28" height="4" rx="1" fill="url(#serverGradient)" stroke="#2E5BBA" stroke-width="0.5"/>
<rect x="10" y="12" width="28" height="4" rx="1" fill="url(#serverGradient)" stroke="#2E5BBA" stroke-width="0.5"/>
<rect x="10" y="18" width="28" height="4" rx="1" fill="url(#serverGradient)" stroke="#2E5BBA" stroke-width="0.5"/>
<rect x="10" y="24" width="28" height="4" rx="1" fill="url(#serverGradient)" stroke="#2E5BBA" stroke-width="0.5"/>
<rect x="10" y="30" width="28" height="4" rx="1" fill="url(#serverGradient)" stroke="#2E5BBA" stroke-width="0.5"/>
<rect x="10" y="36" width="28" height="4" rx="1" fill="url(#serverGradient)" stroke="#2E5BBA" stroke-width="0.5"/>
<!-- LED indicators -->
<circle cx="13" cy="8" r="0.8" fill="#00FF00"/>
<circle cx="13" cy="14" r="0.8" fill="#00FF00"/>
<circle cx="13" cy="20" r="0.8" fill="#FFFF00"/>
<circle cx="13" cy="26" r="0.8" fill="#00FF00"/>
<circle cx="13" cy="32" r="0.8" fill="#FF0000"/>
<circle cx="13" cy="38" r="0.8" fill="#00FF00"/>
<!-- Power indicators -->
<circle cx="35" cy="8" r="0.6" fill="#0080FF"/>
<circle cx="35" cy="14" r="0.6" fill="#0080FF"/>
<circle cx="35" cy="20" r="0.6" fill="#0080FF"/>
<circle cx="35" cy="26" r="0.6" fill="#0080FF"/>
<circle cx="35" cy="32" r="0.6" fill="#0080FF"/>
<circle cx="35" cy="38" r="0.6" fill="#0080FF"/>
<!-- Ventilation grilles -->
<rect x="16" y="7" width="16" height="0.5" fill="#1A4A8A"/>
<rect x="16" y="8.5" width="16" height="0.5" fill="#1A4A8A"/>
<rect x="16" y="13" width="16" height="0.5" fill="#1A4A8A"/>
<rect x="16" y="14.5" width="16" height="0.5" fill="#1A4A8A"/>
<rect x="16" y="19" width="16" height="0.5" fill="#1A4A8A"/>
<rect x="16" y="20.5" width="16" height="0.5" fill="#1A4A8A"/>
<rect x="16" y="25" width="16" height="0.5" fill="#1A4A8A"/>
<rect x="16" y="26.5" width="16" height="0.5" fill="#1A4A8A"/>
<rect x="16" y="31" width="16" height="0.5" fill="#1A4A8A"/>
<rect x="16" y="32.5" width="16" height="0.5" fill="#1A4A8A"/>
<rect x="16" y="37" width="16" height="0.5" fill="#1A4A8A"/>
<rect x="16" y="38.5" width="16" height="0.5" fill="#1A4A8A"/>
<!-- Base/feet -->
<rect x="6" y="42" width="4" height="2" rx="1" fill="#808080"/>
<rect x="38" y="42" width="4" height="2" rx="1" fill="#808080"/>
<!-- Shadow -->
<ellipse cx="24" cy="45" rx="18" ry="2" fill="#000000" opacity="0.2"/>
</svg>
`),
iconSize: [48, 48],
iconAnchor: [18, 36],
popupAnchor: [0, -36],
});
const ColorPicker = ({ selectedColors, setSelectedColors, index }) => { const ColorPicker = ({ selectedColors, setSelectedColors, index }) => {
const [showColorPicker, setShowColorPicker] = useState(false); const [showColorPicker, setShowColorPicker] = useState(false);
@@ -189,20 +117,20 @@ const Map = () => {
const citiesStore = useSelector((state) => state.cities); const citiesStore = useSelector((state) => state.cities);
const cityStore = useSelector((state) => state.city); const cityStore = useSelector((state) => state.city);
const districtStore = useSelector((state) => state.district); const districtStore = useSelector((state) => state.district);
// const OrganisationsStore = useSelector((state) => state.organizations); const OrganisationsStore = useSelector((state) => state.organizations);
const areasStore = useSelector((state) => state.areas); const areasStore = useSelector((state) => state.areas);
const dataCenterStore = useSelector((state) => state.dataCenter); const dataCenterStore = useSelector((state) => state.dataCenter);
const [cities, setCities] = useState([]); const [cities, setCities] = useState([]);
const [districts, setDistricts] = useState([]); const [districts, setDistricts] = useState([]);
const [neighborhoods, setNeighborhoods] = useState([]); const [neighborhoods, setNeighborhoods] = useState([]);
// const [organizationOptions, setOrganizationOptions] = useState([]); const [organizationOptions, setOrganizationOptions] = useState([]);
// const organizationId = localStorage.getItem("organizationId"); const organizationId = localStorage.getItem("organizationId");
// const roleTag = localStorage.getItem("roleTag"); const roleTag = localStorage.getItem("roleTag");
// const [selectedOrganization, setSelectedOrganization] = useState({ const [selectedOrganization, setSelectedOrganization] = useState({
// label: localStorage.getItem("organizationName"), label: localStorage.getItem("organizationName"),
// value: organizationId, value: organizationId,
// }); });
const [areasOptions, setAreasOptions] = useState([]); const [areasOptions, setAreasOptions] = useState([]);
const [done, setDone] = useState(false); const [done, setDone] = useState(false);
@@ -218,7 +146,7 @@ const Map = () => {
const [showDataInputModal, setShowDataInputModal] = useState(false); const [showDataInputModal, setShowDataInputModal] = useState(false);
const [inputData, setInputData] = useState({ const [inputData, setInputData] = useState({
// organization: selectedOrganization, organization: selectedOrganization,
}); });
const [referance, setReferance] = useState( const [referance, setReferance] = useState(
Number(localStorage.getItem("referance")) || 1000 Number(localStorage.getItem("referance")) || 1000
@@ -248,17 +176,15 @@ const Map = () => {
dispatch(getDataCenters()); dispatch(getDataCenters());
}, []); }, []);
// useEffect(() => { useEffect(() => {
// if (selectedOrganization?.value != "undefined") { if (selectedOrganization?.value != "undefined") {
// dispatch(getAreasWithCriteria(selectedOrganization.value)); dispatch(getAreasWithCriteria(selectedOrganization.value));
// } }
// }, [selectedOrganization]); }, [selectedOrganization]);
useEffect(() => { useEffect(() => {
setAreasOptions([]); setAreasOptions([]);
// Load all areas without organization filter for now
// You may want to add organization filtering back later if needed
const citiesOptions = const citiesOptions =
areasStore?.areasWithCriteria areasStore?.areasWithCriteria
?.map((area) => ?.map((area) =>
@@ -309,13 +235,13 @@ const Map = () => {
]); ]);
}, [areasStore]); }, [areasStore]);
// useEffect(() => { useEffect(() => {
// if (roleTag === "SUPER_ADMIN") { if (roleTag === "SUPER_ADMIN") {
// dispatch(getOrganisations()); dispatch(getOrganisations());
// } else { } else {
// dispatch(getOrganisationById(organizationId)); dispatch(getOrganisationById(organizationId));
// } }
// }, []); }, []);
const handleDataInputButtonPressed = ({ area, type }) => { const handleDataInputButtonPressed = ({ area, type }) => {
const areaName = const areaName =
@@ -422,38 +348,38 @@ const Map = () => {
}); });
}, [selectedDistrict, districtStore?.district, year.value]); }, [selectedDistrict, districtStore?.district, year.value]);
// useEffect(() => { useEffect(() => {
// let organizationOptions = []; let organizationOptions = [];
// if ( if (
// OrganisationsStore.organization && OrganisationsStore.organization &&
// OrganisationsStore.organization.length !== 0 OrganisationsStore.organization.length !== 0
// ) { ) {
// organizationOptions.push({ organizationOptions.push({
// value: OrganisationsStore.organization.id, value: OrganisationsStore.organization.id,
// label: OrganisationsStore.organization.tag, label: OrganisationsStore.organization.tag,
// }); });
// if (OrganisationsStore.organization.children) { if (OrganisationsStore.organization.children) {
// organizationOptions = [ organizationOptions = [
// ...organizationOptions, ...organizationOptions,
// ...OrganisationsStore.organization.children.map((organization) => ({ ...OrganisationsStore.organization.children.map((organization) => ({
// value: organization.child.id, value: organization.child.id,
// label: organization.child.tag, label: organization.child.tag,
// })), })),
// ]; ];
// } }
// } else { } else {
// organizationOptions = OrganisationsStore.dataOrganization.map( organizationOptions = OrganisationsStore.dataOrganization.map(
// (organization) => ({ (organization) => ({
// value: organization.id, value: organization.id,
// label: organization.tag, label: organization.tag,
// }) })
// ); );
// } }
// setOrganizationOptions(organizationOptions); setOrganizationOptions(organizationOptions);
// }, [OrganisationsStore]); }, [OrganisationsStore]);
const renderDataInputModal = () => { const renderDataInputModal = () => {
return ( return (
@@ -697,60 +623,29 @@ const Map = () => {
<LayerGroup> <LayerGroup>
{dataCenterStore.dataCenters.map((dc) => { {dataCenterStore.dataCenters.map((dc) => {
if (!dc.latitude || !dc.longitude) return null; if (!dc.latitude || !dc.longitude) return null;
return ( return (
<Marker <Marker
key={dc.id} key={dc.id}
position={[dc.latitude, dc.longitude]} position={[dc.latitude, dc.longitude]}
icon={dataCenterIcon}
> >
<Popup> <Popup>
<div className="data-center-popup"> <div className="data-center-popup">
<h5 className="mb-2 text-primary">{dc.dataCenter}</h5> <h5 className="mb-2">{dc.dataCenter}</h5>
<div className="mb-2"> <p className="mb-1"><strong>{t('DataCenter.number')}:</strong> {dc.number}</p>
<p className="mb-1"><strong>{t('DataCenter.externalId')}:</strong> {dc.externalId}</p>
<p className="mb-1"><strong>{t('DataCenter.city')}:</strong> {dc.area?.cities?.map(city => city.name).join(', ') || "-"}</p>
{dc.area && <p className="mb-1"><strong>{t('Area')}:</strong> {dc.area.tag}</p>}
{dc.projects?.length > 0 && (
<p className="mb-1"> <p className="mb-1">
<strong>{t("DataCenter.city")}:</strong>{" "} <strong>{t('Projects')}:</strong> {dc.projects.length}
<span>{dc.city?.name || "-"}</span>
</p>
{dc.address && (
<p className="mb-1 small text-muted">
<strong>{t("Address")}:</strong> {dc.address}
</p>
)}
</div>
<p className="mb-1">
<strong>{t("DataCenter.number")}:</strong> {dc.number}
</p>
<p className="mb-1">
<strong>{t("DataCenter.externalId")}:</strong>{" "}
{dc.externalId}
</p>
{dc.area && (
<p className="mb-1">
<strong>{t("Area")}:</strong> {dc.area.tag}
</p>
)}
{dc.physicalMachines?.length > 0 && (
<p className="mb-1">
<strong>{t("Physical Machines")}:</strong>{" "}
<span className="badge badge-secondary">
{dc.physicalMachines.length}
</span>
</p>
)}
{dc.dataCenterEmissionSources?.length > 0 && (
<p className="mb-1">
<strong>{t("EmissionSources.emissionSources")}:</strong>{" "}
<span className="badge badge-info">
{dc.dataCenterEmissionSources.length}
</span>
</p> </p>
)} )}
{dc.ayposURL && ( {dc.ayposURL && (
<Button <Button
className="w-100 mb-1" className="w-100 mb-1"
color="primary" color="primary"
onClick={() => window.open(dc.ayposURL, "_blank")} onClick={() => window.open(dc.ayposURL, '_blank')}
> >
Dashboard Dashboard
</Button> </Button>
@@ -804,9 +699,7 @@ const Map = () => {
setDistrictView(true); setDistrictView(true);
setZoom(8.0); setZoom(8.0);
let convertCordinates = convertCoordinates( let convertCordinates = convertCoordinates(city.coordinates);
city.coordinates
);
let length = convertCordinates[0][0][0].length; let length = convertCordinates[0][0][0].length;
let mlength = ((length + 1) / 2).toFixed(0); let mlength = ((length + 1) / 2).toFixed(0);
let lat1 = convertCordinates[0][0][0][0]; let lat1 = convertCordinates[0][0][0][0];
@@ -817,7 +710,7 @@ const Map = () => {
lat: ((lat1 + lat2) / 2).toFixed(2), lat: ((lat1 + lat2) / 2).toFixed(2),
lng: ((lng1 + lng2) / 2).toFixed(2), lng: ((lng1 + lng2) / 2).toFixed(2),
}); });
}, }
}} }}
> >
<Tooltip permanent direction="center"> <Tooltip permanent direction="center">