|
|
""" |
|
|
Ethics Training Module for MangoMAS Local |
|
|
|
|
|
This module implements specialized training for ethical reasoning capabilities, |
|
|
adapted from the AWS backup system for local training. |
|
|
""" |
|
|
|
|
|
import json |
|
|
import logging |
|
|
import os |
|
|
import random |
|
|
from typing import Any, Dict, List |
|
|
|
|
|
import torch |
|
|
import torch.nn as nn |
|
|
import torch.nn.functional as F |
|
|
from torch.utils.data import Dataset |
|
|
|
|
|
from ..core_framework import SpecializedTrainingModule, TrainingModuleConfig |
|
|
|
|
|
logger = logging.getLogger(__name__) |
|
|
|
|
|
|
|
|
class EthicsDataset(Dataset): |
|
|
"""Dataset for training ethical reasoning capabilities.""" |
|
|
|
|
|
def __init__(self, data_path: str, tokenizer, max_length: int = 768): |
|
|
""" |
|
|
Initialize the ethics dataset. |
|
|
|
|
|
Args: |
|
|
data_path: Path to the ethics data file |
|
|
tokenizer: Tokenizer for text processing |
|
|
max_length: Maximum sequence length |
|
|
""" |
|
|
self.tokenizer = tokenizer |
|
|
self.max_length = max_length |
|
|
self.data = self._load_data(data_path) |
|
|
|
|
|
logger.info(f"Loaded ethics dataset with {len(self.data)} examples") |
|
|
|
|
|
def _load_data(self, data_path: str) -> List[Dict]: |
|
|
"""Load ethics training data.""" |
|
|
data = [] |
|
|
with open(data_path, "r", encoding="utf-8") as f: |
|
|
for line in f: |
|
|
try: |
|
|
item = json.loads(line.strip()) |
|
|
|
|
|
if ( |
|
|
"scenario" in item |
|
|
and "ethical_analysis" in item |
|
|
and "recommendation" in item |
|
|
): |
|
|
data.append(item) |
|
|
except json.JSONDecodeError: |
|
|
continue |
|
|
return data |
|
|
|
|
|
def __len__(self): |
|
|
return len(self.data) |
|
|
|
|
|
def __getitem__(self, idx): |
|
|
item = self.data[idx] |
|
|
|
|
|
|
|
|
prompt = f"Scenario: {item['scenario']}\nEthical Analysis: {item['ethical_analysis']}\nRecommendation: {item['recommendation']}" |
|
|
|
|
|
|
|
|
encoding = self.tokenizer( |
|
|
prompt, |
|
|
max_length=self.max_length, |
|
|
padding="max_length", |
|
|
truncation=True, |
|
|
return_tensors="pt", |
|
|
) |
|
|
|
|
|
return { |
|
|
"input_ids": encoding["input_ids"].squeeze(), |
|
|
"attention_mask": encoding["attention_mask"].squeeze(), |
|
|
"labels": encoding["input_ids"].squeeze(), |
|
|
} |
|
|
|
|
|
|
|
|
class EthicsTrainingModule(SpecializedTrainingModule): |
|
|
"""Specialized training module for ethical reasoning capabilities.""" |
|
|
|
|
|
def __init__(self, config: TrainingModuleConfig, tokenizer): |
|
|
""" |
|
|
Initialize the ethics training module. |
|
|
|
|
|
Args: |
|
|
config: Module configuration |
|
|
tokenizer: Tokenizer for text processing |
|
|
""" |
|
|
super().__init__(config, tokenizer) |
|
|
|
|
|
|
|
|
self.ethics_loss = nn.CrossEntropyLoss(ignore_index=-100) |
|
|
self.metrics = { |
|
|
"ethics_loss": 0.0, |
|
|
"ethical_consistency": 0.0, |
|
|
"principle_alignment": 0.0, |
|
|
} |
|
|
|
|
|
logger.info("Initialized EthicsTrainingModule") |
|
|
|
|
|
def prepare_batch(self, batch: Dict[str, torch.Tensor]) -> Dict[str, torch.Tensor]: |
|
|
""" |
|
|
Prepare a batch of data for ethics training. |
|
|
|
|
|
Args: |
|
|
batch: The input batch from the dataloader |
|
|
|
|
|
Returns: |
|
|
Processed batch ready for ethics training |
|
|
""" |
|
|
|
|
|
prepared_batch = {} |
|
|
for key, value in batch.items(): |
|
|
if isinstance(value, torch.Tensor): |
|
|
prepared_batch[key] = value.to(self.device) |
|
|
else: |
|
|
prepared_batch[key] = value |
|
|
|
|
|
return prepared_batch |
|
|
|
|
|
def compute_loss( |
|
|
self, student_outputs: Any, teacher_outputs: Any, batch: Dict[str, torch.Tensor] |
|
|
) -> torch.Tensor: |
|
|
""" |
|
|
Compute the ethics-specific loss. |
|
|
|
|
|
Args: |
|
|
student_outputs: Outputs from the student model |
|
|
teacher_outputs: Outputs from the teacher model |
|
|
batch: The processed input batch |
|
|
|
|
|
Returns: |
|
|
Loss tensor for ethics training |
|
|
""" |
|
|
try: |
|
|
|
|
|
if hasattr(student_outputs, "logits"): |
|
|
student_logits = student_outputs.logits |
|
|
else: |
|
|
student_logits = student_outputs |
|
|
|
|
|
if hasattr(teacher_outputs, "logits"): |
|
|
teacher_logits = teacher_outputs.logits |
|
|
else: |
|
|
teacher_logits = teacher_outputs |
|
|
|
|
|
|
|
|
labels = batch.get("labels", batch.get("input_ids")) |
|
|
|
|
|
|
|
|
shift_logits = student_logits[..., :-1, :].contiguous() |
|
|
shift_labels = labels[..., 1:].contiguous() |
|
|
|
|
|
ethics_loss = self.ethics_loss( |
|
|
shift_logits.view(-1, shift_logits.size(-1)), shift_labels.view(-1) |
|
|
) |
|
|
|
|
|
|
|
|
if teacher_logits is not None: |
|
|
kl_loss = F.kl_div( |
|
|
F.log_softmax(student_logits, dim=-1), |
|
|
F.softmax(teacher_logits, dim=-1), |
|
|
reduction="batchmean", |
|
|
) |
|
|
total_loss = ethics_loss + 0.1 * kl_loss |
|
|
else: |
|
|
total_loss = ethics_loss |
|
|
|
|
|
|
|
|
self.metrics["ethics_loss"] = ethics_loss.item() |
|
|
|
|
|
return total_loss * self.loss_weight |
|
|
|
|
|
except Exception as e: |
|
|
logger.error(f"Error computing ethics loss: {e}") |
|
|
|
|
|
return torch.tensor(0.01, requires_grad=True) |
|
|
|
|
|
def get_metrics(self) -> Dict[str, float]: |
|
|
""" |
|
|
Get metrics specific to ethics training. |
|
|
|
|
|
Returns: |
|
|
Dictionary of ethics metrics |
|
|
""" |
|
|
return self.metrics.copy() |
|
|
|
|
|
def generate_synthetic_ethics_data( |
|
|
self, output_path: str, num_samples: int = 1000 |
|
|
) -> None: |
|
|
""" |
|
|
Generate synthetic ethics training data. |
|
|
|
|
|
Args: |
|
|
output_path: Path to save the generated data |
|
|
num_samples: Number of samples to generate |
|
|
""" |
|
|
|
|
|
|
|
|
|
|
|
ethics_templates = [ |
|
|
{ |
|
|
"scenario": "A company wants to collect user location data to improve their mapping service.", |
|
|
"principles": [ |
|
|
"privacy", |
|
|
"consent", |
|
|
"transparency", |
|
|
"data minimization", |
|
|
], |
|
|
"considerations": [ |
|
|
"Users should be clearly informed about what data is collected", |
|
|
"Data collection should be opt-in rather than opt-out", |
|
|
"Only necessary data should be collected and stored", |
|
|
"Data should be properly secured and anonymized where possible", |
|
|
], |
|
|
"ethical_analysis": "The collection of location data raises privacy concerns, but can be ethical if done with transparency, informed consent, and data minimization practices. Users must be clearly informed about what data is collected, how it's used, and given genuine choice in the matter.", |
|
|
"recommendation": "Proceed with location data collection only with explicit opt-in consent, clear privacy notices, data minimization practices, and strong security measures.", |
|
|
"stance": "neutral", |
|
|
}, |
|
|
{ |
|
|
"scenario": "An AI company is developing a facial recognition system to be sold to law enforcement agencies without oversight mechanisms.", |
|
|
"principles": [ |
|
|
"privacy", |
|
|
"justice", |
|
|
"accountability", |
|
|
"potential for discrimination", |
|
|
], |
|
|
"considerations": [ |
|
|
"Facial recognition has known bias issues across different demographics", |
|
|
"Law enforcement use creates significant civil liberties concerns", |
|
|
"Lack of oversight could lead to misuse and privacy violations", |
|
|
"Potential chilling effect on free speech and assembly", |
|
|
], |
|
|
"ethical_analysis": "Deploying facial recognition in law enforcement without oversight mechanisms raises serious ethical concerns. These systems have demonstrated bias across demographic groups, potentially leading to discriminatory outcomes. Without accountability measures, there's significant risk of misuse, privacy violations, and erosion of civil liberties.", |
|
|
"recommendation": "Do not deploy facial recognition systems to law enforcement without robust oversight, accuracy testing across demographics, clear usage limitations, and strong accountability mechanisms.", |
|
|
"stance": "harmful", |
|
|
}, |
|
|
{ |
|
|
"scenario": "A medical AI is being developed to help doctors identify potential early signs of cancer in medical images.", |
|
|
"principles": [ |
|
|
"beneficence", |
|
|
"non-maleficence", |
|
|
"human oversight", |
|
|
"transparency", |
|
|
], |
|
|
"considerations": [ |
|
|
"Early detection could save many lives", |
|
|
"False positives could cause unnecessary stress and procedures", |
|
|
"False negatives could delay critical treatment", |
|
|
"System should augment rather than replace medical expertise", |
|
|
], |
|
|
"ethical_analysis": "A medical AI for cancer detection has significant potential benefits in improving early diagnosis and saving lives. However, it's critical that the system maintains high accuracy to minimize both false positives (causing unnecessary procedures) and false negatives (missing actual cases). The system should be designed to augment rather than replace medical professionals, with humans making final decisions.", |
|
|
"recommendation": "Proceed with development with rigorous clinical validation, transparent reporting of accuracy metrics across diverse populations, clear communication about limitations, and implementation as a decision support tool rather than autonomous system.", |
|
|
"stance": "beneficial", |
|
|
}, |
|
|
] |
|
|
|
|
|
|
|
|
output_data = [] |
|
|
for _ in range(num_samples): |
|
|
template = random.choice(ethics_templates) |
|
|
|
|
|
|
|
|
variation = template.copy() |
|
|
|
|
|
|
|
|
variation["metadata"] = { |
|
|
"generated": True, |
|
|
"timestamp": ( |
|
|
torch.cuda.get_device_name(0) |
|
|
if torch.cuda.is_available() |
|
|
else "CPU" |
|
|
), |
|
|
} |
|
|
|
|
|
output_data.append(variation) |
|
|
|
|
|
|
|
|
os.makedirs(os.path.dirname(output_path), exist_ok=True) |
|
|
with open(output_path, "w", encoding="utf-8") as f: |
|
|
for item in output_data: |
|
|
f.write(json.dumps(item) + "\n") |
|
|
|
|
|
logger.info( |
|
|
f"Generated {len(output_data)} synthetic ethics examples at {output_path}" |
|
|
) |
|
|
|