File size: 10,429 Bytes
278fcbc ff6a18f 278fcbc ff6a18f 278fcbc 12dafd7 278fcbc 4c8c009 278fcbc ff6a18f 4c8c009 ff6a18f 12dafd7 ff6a18f 278fcbc 12dafd7 278fcbc 4c8c009 278fcbc 4c8c009 278fcbc |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 |
#!/usr/bin/env python3
"""
Dataset Download and Preparation Script
Downloads Turkish text data from HuggingFace and prepares it for training
Compatible with the ismail model training pipeline
"""
import argparse
from pathlib import Path
from datasets import load_dataset, DatasetDict, Dataset
from tqdm import tqdm
from itertools import islice
import json
# Configuration
SMALL_DATA = True # set to False to use the full dataset
DEFAULT_DATA_DIR = Path(__file__).parent # Save to Model_Architecture/data/
DATASET_NAME = "vngrs-ai/vngrs-web-corpus" # HuggingFace dataset
SUBSET = None # No subset needed for this dataset
def download_and_prepare_data(
data_dir: Path,
use_small: bool = True,
parquet_file: str = None,
full_data_path: str = None,
train_ratio: float = 0.90,
seed: int = 2357,
max_samples: int = None,
cache_dir: str = None,
):
data_dir = Path(data_dir)
data_dir.mkdir(parents=True, exist_ok=True)
print("\n" + "="*70)
print("DATASET DOWNLOAD AND PREPARATION")
print("="*70 + "\n")
# Load dataset
if use_small:
print(f"📥 Loading small dataset...")
if parquet_file and Path(parquet_file).exists():
print(f" Using local file: {parquet_file}")
dataset = load_dataset('parquet', data_files=parquet_file)
else:
# Try to find cached parquet files first
import os
print(f" Looking for cached parquet files...")
parquet_files = []
# Use custom cache directory if provided, otherwise use default
if cache_dir:
search_paths = [Path(cache_dir)]
else:
search_paths = [
Path.home() / ".cache/huggingface/datasets/downloads",
Path.home() / ".cache/huggingface/datasets/uonlp___cultura_x",
]
for search_path in search_paths:
if search_path.exists():
print(f" Searching in: {search_path}")
# Find all parquet files in cache
for root, dirs, files in os.walk(search_path):
for file in files:
if file.endswith('.parquet'):
parquet_files.append(os.path.join(root, file))
if parquet_files:
# Use the cached parquet files
parquet_files = sorted(parquet_files)[:2] # Use first 2 cached files
print(f" ✅ Found {len(parquet_files)} cached parquet file(s)")
for pf in parquet_files:
print(f" - {Path(pf).name}")
dataset = load_dataset('parquet', data_files=parquet_files)
# Limit samples if requested
if max_samples and max_samples < len(dataset['train']):
print(f" Limiting to {max_samples:,} samples...")
dataset['train'] = dataset['train'].select(range(max_samples))
else:
# No cached files found, use streaming
print(f" No cached files found. Using streaming mode...")
dataset_desc = f"{DATASET_NAME}/{SUBSET}" if SUBSET else DATASET_NAME
print(f" Downloading from HuggingFace: {dataset_desc}")
if SUBSET:
dataset = load_dataset(
DATASET_NAME,
SUBSET,
split="train",
streaming=True,
)
else:
dataset = load_dataset(
DATASET_NAME,
split="train",
streaming=True,
)
# Take limited number of samples from stream
num_samples = max_samples if max_samples else 100_000
print(f" Taking {num_samples:,} samples from stream...")
samples = []
for sample in tqdm(islice(dataset, num_samples), total=num_samples, desc="Downloading"):
samples.append(sample)
dataset = Dataset.from_list(samples)
dataset = DatasetDict({"train": dataset})
print(f" ✅ Loaded {len(dataset['train']):,} samples")
else:
print(f"📥 Loading full dataset from: {full_data_path or 'HuggingFace'}")
if full_data_path and Path(full_data_path).parent.exists():
dataset = load_dataset('parquet', data_files=full_data_path)
else:
# Download full dataset from HuggingFace
if SUBSET:
dataset = load_dataset(DATASET_NAME, SUBSET, split="train")
else:
dataset = load_dataset(DATASET_NAME, split="train")
dataset = DatasetDict({"train": dataset})
print(f"✅ Dataset loaded: {len(dataset['train']):,} documents")
# Remove unnecessary columns
print(f"\n🔧 Preprocessing dataset...")
columns_to_remove = ['timestamp', 'url', 'source']
existing_columns = [col for col in columns_to_remove if col in dataset['train'].column_names]
if existing_columns:
dataset = dataset.remove_columns(existing_columns)
print(f" Removed columns: {existing_columns}")
# Print dataset info
print(f"\n📊 Dataset Statistics:")
print(f" Total documents: {len(dataset['train']):,}")
print(f" Columns: {dataset['train'].column_names}")
print(f" Features: {dataset['train'].features}")
# Split into train/val
print(f"\n✂️ Creating train/val split (train ratio: {train_ratio:.2%})...")
test_size = 1.0 - train_ratio
split_dataset = dataset['train'].train_test_split(
test_size=test_size,
seed=seed,
shuffle=True
)
split_dataset['val'] = split_dataset.pop("test")
print(f"\n📈 Split Statistics:")
print(f" Training samples: {len(split_dataset['train']):,}")
print(f" Validation samples: {len(split_dataset['val']):,}")
print(f" Split ratio: {len(split_dataset['train'])/len(dataset['train']):.2%} train / {len(split_dataset['val'])/len(dataset['train']):.2%} val")
# Save to text files for training pipeline
print(f"\n💾 Saving processed data to {data_dir}...")
train_file = data_dir / "train.txt"
val_file = data_dir / "val.txt"
# Save training data
print(f" Writing training data to {train_file}...")
with open(train_file, 'w', encoding='utf-8') as f:
for example in tqdm(split_dataset['train'], desc="Train"):
text = example.get('text', '')
if text.strip(): # Only save non-empty texts
f.write(text + '\n')
# Save validation data
print(f" Writing validation data to {val_file}...")
with open(val_file, 'w', encoding='utf-8') as f:
for example in tqdm(split_dataset['val'], desc="Val"):
text = example.get('text', '')
if text.strip():
f.write(text + '\n')
# Save metadata
metadata = {
"dataset": DATASET_NAME if not parquet_file else "local_parquet",
"subset": SUBSET,
"use_small": use_small,
"total_documents": len(dataset['train']),
"train_samples": len(split_dataset['train']),
"val_samples": len(split_dataset['val']),
"train_ratio": train_ratio,
"seed": seed,
"train_file": str(train_file),
"val_file": str(val_file),
}
metadata_file = data_dir / "dataset_info.json"
with open(metadata_file, 'w') as f:
json.dump(metadata, f, indent=2, ensure_ascii=False)
print(f"\n✅ Data preparation complete!")
print(f"\n📁 Output files:")
print(f" Train: {train_file} ({train_file.stat().st_size / 1024**2:.1f} MB)")
print(f" Val: {val_file} ({val_file.stat().st_size / 1024**2:.1f} MB)")
print(f" Meta: {metadata_file}")
print(f"\n🚀 Ready for training! Use these files in your train.py config:")
print(f" train_file: {train_file}")
print(f" val_file: {val_file}")
return split_dataset
def main():
parser = argparse.ArgumentParser(description="Download and prepare Turkish text dataset")
parser.add_argument(
"--data_dir",
type=str,
default=str(DEFAULT_DATA_DIR),
help="Directory to save processed data (default: ./Model_Architecture/data/)"
)
parser.add_argument(
"--small",
action="store_true",
default=SMALL_DATA,
help="Use small dataset (default: True)"
)
parser.add_argument(
"--full",
action="store_true",
help="Use full dataset (overrides --small)"
)
parser.add_argument(
"--parquet_file",
type=str,
help="Local parquet file for small dataset (e.g., tr_part_00000.parquet)"
)
parser.add_argument(
"--full_data_path",
type=str,
help="Path pattern for full dataset (e.g., /path/to/tr/*.parquet)"
)
parser.add_argument(
"--train_ratio",
type=float,
default=0.95,
help="Training data ratio (default: 0.95)"
)
parser.add_argument(
"--seed",
type=int,
default=2357,
help="Random seed (default: 2357)"
)
parser.add_argument(
"--max_samples",
type=int,
help="Maximum number of samples to process (for testing)"
)
parser.add_argument(
"--cache_dir",
type=str,
help="Custom cache directory path where parquet files are located"
)
args = parser.parse_args()
# Handle full vs small dataset
use_small = not args.full if args.full else args.small
# Adjust train ratio based on dataset size
train_ratio = args.train_ratio
if not use_small:
# For full dataset, use smaller validation set
train_ratio = 0.999995 # ~0.0005% validation
print(f"ℹ️ Using full dataset with adjusted train ratio: {train_ratio:.6f}")
download_and_prepare_data(
data_dir=Path(args.data_dir),
use_small=use_small,
parquet_file=args.parquet_file,
full_data_path=args.full_data_path,
train_ratio=train_ratio,
seed=args.seed,
max_samples=args.max_samples,
cache_dir=args.cache_dir,
)
if __name__ == '__main__':
main()
|