repo
stringlengths
1
99
file
stringlengths
13
215
code
stringlengths
12
59.2M
file_length
int64
12
59.2M
avg_line_length
float64
3.82
1.48M
max_line_length
int64
12
2.51M
extension_type
stringclasses
1 value
cGAN-KD
cGAN-KD-main/CIFAR-100/TAKD/train_cnn.py
''' For CNN training and testing. ''' import os import timeit import torch import torch.nn as nn import numpy as np from torch.nn import functional as F ''' function for cnn training ''' def train_cnn(net, net_name, trainloader, testloader, epochs, resume_epoch=0, save_freq=[100, 150], lr_base=0.1, lr_decay_factor=0.1, lr_decay_epochs=[150, 250], weight_decay=5e-4, seed = 2020, path_to_ckpt = None, net_teacher=None, lambda_kd=0.05, T_kd=1): ''' learning rate decay ''' def adjust_learning_rate(optimizer, epoch): """decrease the learning rate """ lr = lr_base num_decays = len(lr_decay_epochs) for decay_i in range(num_decays): if epoch >= lr_decay_epochs[decay_i]: lr = lr * lr_decay_factor #end if epoch #end for decay_i for param_group in optimizer.param_groups: param_group['lr'] = lr net = net.cuda() criterion = nn.CrossEntropyLoss() optimizer = torch.optim.SGD(net.parameters(), lr = lr_base, momentum= 0.9, weight_decay=weight_decay) if path_to_ckpt is not None and resume_epoch>0: save_file = path_to_ckpt + "/{}_checkpoint_epoch_{}.pth".format(net_name, resume_epoch) checkpoint = torch.load(save_file) net.load_state_dict(checkpoint['net_state_dict']) optimizer.load_state_dict(checkpoint['optimizer_state_dict']) torch.set_rng_state(checkpoint['rng_state']) #end if ## if teache net exists if net_teacher is not None: net_teacher = net_teacher.cuda() net_teacher.eval() start_time = timeit.default_timer() for epoch in range(resume_epoch, epochs): net.train() train_loss = 0 adjust_learning_rate(optimizer, epoch) for batch_idx, (batch_train_images, batch_train_labels) in enumerate(trainloader): batch_train_images = batch_train_images.type(torch.float).cuda() batch_train_labels = batch_train_labels.type(torch.long).cuda() #Forward pass outputs = net(batch_train_images) ## standard CE loss loss = criterion(outputs, batch_train_labels) if net_teacher is not None: teacher_outputs = net_teacher(batch_train_images) # Knowledge Distillation Loss # loss_KD = nn.KLDivLoss(reduction='mean')(F.log_softmax(outputs / T_kd, dim=1), F.softmax(teacher_outputs / T_kd, dim=1)) loss_KD = nn.KLDivLoss(reduction='batchmean')(F.log_softmax(outputs / T_kd, dim=1), F.softmax(teacher_outputs / T_kd, dim=1)) loss = (1 - lambda_kd) * loss + lambda_kd * T_kd * T_kd * loss_KD #backward pass optimizer.zero_grad() loss.backward() optimizer.step() train_loss += loss.cpu().item() #end for batch_idx test_acc = test_cnn(net, testloader, verbose=False) print('%s: [epoch %d/%d] train_loss:%.3f, test_acc:%.3f Time: %.4f' % (net_name, epoch+1, epochs, train_loss/(batch_idx+1), test_acc, timeit.default_timer()-start_time)) # save checkpoint if path_to_ckpt is not None and ((epoch+1) in save_freq or (epoch+1) == epochs) : save_file = path_to_ckpt + "/{}_checkpoint_epoch_{}.pth".format(net_name, epoch+1) torch.save({ 'net_state_dict': net.state_dict(), 'optimizer_state_dict': optimizer.state_dict(), 'rng_state': torch.get_rng_state() }, save_file) #end for epoch return net def test_cnn(net, testloader, verbose=False): net = net.cuda() net.eval() # eval mode (batchnorm uses moving mean/variance instead of mini-batch mean/variance) with torch.no_grad(): correct = 0 total = 0 for batch_idx, (images, labels) in enumerate(testloader): images = images.type(torch.float).cuda() labels = labels.type(torch.long).cuda() outputs = net(images) _, predicted = torch.max(outputs.data, 1) total += labels.size(0) correct += (predicted == labels).sum().item() if verbose: print('Test Accuracy of the model on the 10000 test images: {} %'.format(100.0 * correct / total)) return 100.0 * correct / total
4,372
37.026087
257
py
cGAN-KD
cGAN-KD-main/CIFAR-100/TAKD/takd.py
''' Teacher Assistant Knowledge Distillation: TAKD ''' print("\n ===================================================================================================") import argparse import os import timeit import torch import torchvision import torchvision.transforms as transforms import numpy as np import torch.nn as nn import torch.backends.cudnn as cudnn from torch.nn import functional as F import random import matplotlib.pyplot as plt import matplotlib as mpl from torch import autograd from torchvision.utils import save_image from tqdm import tqdm import gc from itertools import groupby import multiprocessing import h5py import pickle import copy from opts import takd_opts from utils import * from models import model_dict from train_cnn import train_cnn, test_cnn ####################################################################################### ''' Settings ''' ####################################################################################### args = takd_opts() print(args) #------------------------------- # seeds random.seed(args.seed) torch.manual_seed(args.seed) torch.backends.cudnn.deterministic = True cudnn.benchmark = False np.random.seed(args.seed) #------------------------------- # CNN settings ## lr decay scheme lr_decay_epochs = (args.lr_decay_epochs).split("_") lr_decay_epochs = [int(epoch) for epoch in lr_decay_epochs] ## save freq save_freq = (args.save_freq).split("_") save_freq = [int(epoch) for epoch in save_freq] #------------------------------- # load teacher model def get_teacher_name(model_path): """parse teacher name""" segments = model_path.split('/')[-1].split('_') if segments[1] != 'wrn': return segments[1] else: return segments[1] + '_' + segments[2] + '_' + segments[3] def load_teacher(model_path, num_classes): model_name = get_teacher_name(model_path) print('==> loading teacher model: {}'.format(model_name)) model = model_dict[model_name](num_classes=num_classes) model.load_state_dict(torch.load(model_path)['model']) print('==> done') return model, model_name ''' load teacher net ''' net_teacher, model_name = load_teacher(args.teacher_ckpt_path, num_classes=args.num_classes) num_parameters_teacher = count_parameters(net_teacher) args.teacher = model_name #------------------------------- # output folders if (not args.use_fake_data) or args.nfake<=0: save_folder = os.path.join(args.root_path, 'output/vanilla') else: fake_data_name = args.fake_data_path.split('/')[-1] save_folder = os.path.join(args.root_path, 'output/{}_useNfake_{}'.format(fake_data_name, args.nfake)) setting_name = 'S_{}_TA_{}_T_{}_L1_{}_T1_{}_L2_{}_T2_{}'.format(args.student, args.assistant, args.teacher, args.assistant_lambda_kd, args.assistant_T_kd, args.student_lambda_kd, args.student_T_kd) save_folder = os.path.join(save_folder, setting_name) os.makedirs(save_folder, exist_ok=True) save_intrain_folder = os.path.join(save_folder, 'ckpts_in_train') os.makedirs(save_intrain_folder, exist_ok=True) ####################################################################################### ''' Load Data ''' ####################################################################################### ## get real data train_set = torchvision.datasets.CIFAR100(root=args.data_path, download=True, train=True) real_images = train_set.data real_images = np.transpose(real_images, (0, 3, 1, 2)) real_labels = np.array(train_set.targets) ## load fake data if needed if args.use_fake_data: ## load fake data with h5py.File(args.fake_data_path, "r") as f: train_images = f['fake_images'][:] train_labels = f['fake_labels'][:] train_labels = train_labels.astype(int) if args.nfake<len(train_labels): indx_fake = [] for i in range(args.num_classes): indx_fake_i = np.where(train_labels==i)[0] if i != (args.num_classes-1): nfake_i = args.nfake//args.num_classes else: nfake_i = args.nfake-(args.nfake//args.num_classes)*i indx_fake_i = np.random.choice(indx_fake_i, size=min(int(nfake_i), len(indx_fake_i)), replace=False) indx_fake.append(indx_fake_i) #end for i indx_fake = np.concatenate(indx_fake) train_images = train_images[indx_fake] train_labels = train_labels[indx_fake] ## concatenate train_images = np.concatenate((real_images, train_images), axis=0) train_labels = np.concatenate((real_labels, train_labels), axis=0) train_labels = train_labels.astype(int) else: train_images = real_images train_labels = real_labels ## compute normalizing constants train_means = [] train_stds = [] for i in range(3): images_i = train_images[:,i,:,:] images_i = images_i/255.0 train_means.append(np.mean(images_i)) train_stds.append(np.std(images_i)) ## for i print("\n Final training set's dimensiona: ", train_images.shape) ## make training set if args.transform: train_transform = transforms.Compose([ transforms.RandomCrop(32, padding=4), transforms.RandomHorizontalFlip(), transforms.ToTensor(), transforms.Normalize(train_means, train_stds), ]) else: train_transform = transforms.Compose([ transforms.ToTensor(), transforms.Normalize(train_means, train_stds), ]) test_transform = transforms.Compose([ transforms.ToTensor(), transforms.Normalize(train_means, train_stds), ]) train_set = IMGs_dataset(train_images, train_labels, transform=train_transform) assert len(train_set)==len(train_images) del train_images, train_labels; gc.collect() test_set = torchvision.datasets.CIFAR100(root=args.data_path, download=True, train=False, transform=test_transform) train_loader = torch.utils.data.DataLoader(train_set, batch_size=args.batch_size_train, shuffle=True) test_loader = torch.utils.data.DataLoader(test_set, batch_size=args.batch_size_test, shuffle=False) ####################################################################################### ''' Implement TAKD ''' ####################################################################################### test_acc_teacher = test_cnn(net_teacher, test_loader, verbose=False) print("\n Teacher test accuracy {}.".format(test_acc_teacher)) ''' init. assistant net ''' net_assistant = model_dict[args.assistant](num_classes=args.num_classes) num_parameters_assistant = count_parameters(net_assistant) ''' init. student net ''' net_student = model_dict[args.student](num_classes=args.num_classes) num_parameters_student = count_parameters(net_student) ## student model name, how to initialize student model, etc. assistant_model_path = args.assistant + "_epoch_{}".format(args.epochs) student_model_path = args.student + "_epoch_{}".format(args.epochs) if args.finetune: print("\n Initialize assistant and student models by pre-trained ones") assistant_model_path = os.path.join(save_folder, assistant_model_path+'_finetune_last.pth') student_model_path = os.path.join(save_folder, student_model_path+'_finetune_last.pth') ## load pre-trained model checkpoint = torch.load(args.init_assistant_path) net_assistant.load_state_dict(checkpoint['model']) checkpoint = torch.load(args.init_student_path) net_student.load_state_dict(checkpoint['model']) else: assistant_model_path = os.path.join(save_folder, assistant_model_path+'_last.pth') student_model_path = os.path.join(save_folder, student_model_path+'_last.pth') print('\n ' + assistant_model_path) print('\r ' + student_model_path) print("\n -----------------------------------------------------------------------------------------") print("\n Step 1: Start training {} as TA net with {} params >>>".format(args.assistant, num_parameters_assistant)) # training if not os.path.isfile(assistant_model_path): print("\n Start training the {} as TA >>>".format(args.assistant)) net_assistant = train_cnn(net_assistant, args.assistant, train_loader, test_loader, epochs=args.epochs, resume_epoch=args.resume_epoch_1, save_freq=save_freq, lr_base=args.lr_base1, lr_decay_factor=args.lr_decay_factor, lr_decay_epochs=lr_decay_epochs, weight_decay=args.weight_decay, seed = args.seed, path_to_ckpt = save_intrain_folder, net_teacher=net_teacher, lambda_kd=args.assistant_lambda_kd, T_kd=args.assistant_T_kd) # store model torch.save({ 'model': net_assistant.state_dict(), }, assistant_model_path) print("\n End training CNN.") else: print("\n Loading pre-trained {}.".format(args.assistant)) checkpoint = torch.load(assistant_model_path) net_assistant.load_state_dict(checkpoint['model']) #end if # testing test_acc_assistant = test_cnn(net_assistant, test_loader, verbose=False) test_err_assistant = 100.0-test_acc_assistant print("\n Assistant test accuracy {}.".format(test_acc_assistant)) print("\r Assistant test error rate {}.".format(test_err_assistant)) print("\n -----------------------------------------------------------------------------------------") print("\n Step 2: Start training {} as student net with {} params >>>".format(args.student, num_parameters_student)) # training if not os.path.isfile(student_model_path): print("\n Start training the {} as student >>>".format(args.student)) net_student = train_cnn(net_student, args.student, train_loader, test_loader, epochs=args.epochs, resume_epoch=args.resume_epoch_2, save_freq=save_freq, lr_base=args.lr_base2, lr_decay_factor=args.lr_decay_factor, lr_decay_epochs=lr_decay_epochs, weight_decay=args.weight_decay, seed = args.seed, path_to_ckpt = save_intrain_folder, net_teacher=net_assistant, lambda_kd=args.student_lambda_kd, T_kd=args.student_T_kd) # store model torch.save({ 'model': net_student.state_dict(), }, student_model_path) print("\n End training CNN.") else: print("\n Loading pre-trained {}.".format(args.student)) checkpoint = torch.load(student_model_path) net_student.load_state_dict(checkpoint['model']) #end if # testing test_acc_student = test_cnn(net_student, test_loader, verbose=False) test_err_student = 100.0-test_acc_student print("\n Student test accuracy {}.".format(test_acc_student)) print("\r Student test error rate {}.".format(test_err_student)) ''' Dump test results ''' test_results_logging_fullpath = save_folder + '/test_results.txt' if not os.path.isfile(test_results_logging_fullpath): test_results_logging_file = open(test_results_logging_fullpath, "w") test_results_logging_file.close() with open(test_results_logging_fullpath, 'a') as test_results_logging_file: test_results_logging_file.write("\n===================================================================================================") test_results_logging_file.write("\n Teacher: {} ({} params); Assistant: {} ({} params); Student: {} ({} params); seed: {} \n".format(args.teacher, num_parameters_teacher, args.assistant, num_parameters_assistant, args.student, num_parameters_student, args.seed)) print(args, file=test_results_logging_file) test_results_logging_file.write("\n Teacher test accuracy {}.".format(test_acc_teacher)) test_results_logging_file.write("\n Assistant test accuracy {}.".format(test_acc_assistant)) test_results_logging_file.write("\n Student test accuracy {}.".format(test_acc_student)) print("\n ===================================================================================================")
11,728
39.725694
429
py
cGAN-KD
cGAN-KD-main/CIFAR-100/TAKD/models/efficientnet.py
'''EfficientNet in PyTorch. Paper: "EfficientNet: Rethinking Model Scaling for Convolutional Neural Networks". Reference: https://github.com/keras-team/keras-applications/blob/master/keras_applications/efficientnet.py ''' import torch import torch.nn as nn import torch.nn.functional as F def swish(x): return x * x.sigmoid() def drop_connect(x, drop_ratio): keep_ratio = 1.0 - drop_ratio mask = torch.empty([x.shape[0], 1, 1, 1], dtype=x.dtype, device=x.device) mask.bernoulli_(keep_ratio) x.div_(keep_ratio) x.mul_(mask) return x class SE(nn.Module): '''Squeeze-and-Excitation block with Swish.''' def __init__(self, in_channels, se_channels): super(SE, self).__init__() self.se1 = nn.Conv2d(in_channels, se_channels, kernel_size=1, bias=True) self.se2 = nn.Conv2d(se_channels, in_channels, kernel_size=1, bias=True) def forward(self, x): out = F.adaptive_avg_pool2d(x, (1, 1)) out = swish(self.se1(out)) out = self.se2(out).sigmoid() out = x * out return out class Block(nn.Module): '''expansion + depthwise + pointwise + squeeze-excitation''' def __init__(self, in_channels, out_channels, kernel_size, stride, expand_ratio=1, se_ratio=0., drop_rate=0.): super(Block, self).__init__() self.stride = stride self.drop_rate = drop_rate self.expand_ratio = expand_ratio # Expansion channels = expand_ratio * in_channels self.conv1 = nn.Conv2d(in_channels, channels, kernel_size=1, stride=1, padding=0, bias=False) self.bn1 = nn.BatchNorm2d(channels) # Depthwise conv self.conv2 = nn.Conv2d(channels, channels, kernel_size=kernel_size, stride=stride, padding=(1 if kernel_size == 3 else 2), groups=channels, bias=False) self.bn2 = nn.BatchNorm2d(channels) # SE layers se_channels = int(in_channels * se_ratio) self.se = SE(channels, se_channels) # Output self.conv3 = nn.Conv2d(channels, out_channels, kernel_size=1, stride=1, padding=0, bias=False) self.bn3 = nn.BatchNorm2d(out_channels) # Skip connection if in and out shapes are the same (MV-V2 style) self.has_skip = (stride == 1) and (in_channels == out_channels) def forward(self, x): out = x if self.expand_ratio == 1 else swish(self.bn1(self.conv1(x))) out = swish(self.bn2(self.conv2(out))) out = self.se(out) out = self.bn3(self.conv3(out)) if self.has_skip: if self.training and self.drop_rate > 0: out = drop_connect(out, self.drop_rate) out = out + x return out class EfficientNet(nn.Module): def __init__(self, cfg, num_classes=10): super(EfficientNet, self).__init__() self.cfg = cfg self.conv1 = nn.Conv2d(3, 32, kernel_size=3, stride=1, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(32) self.layers = self._make_layers(in_channels=32) self.linear = nn.Linear(cfg['out_channels'][-1], num_classes) def _make_layers(self, in_channels): layers = [] cfg = [self.cfg[k] for k in ['expansion', 'out_channels', 'num_blocks', 'kernel_size', 'stride']] b = 0 blocks = sum(self.cfg['num_blocks']) for expansion, out_channels, num_blocks, kernel_size, stride in zip(*cfg): strides = [stride] + [1] * (num_blocks - 1) for stride in strides: drop_rate = self.cfg['drop_connect_rate'] * b / blocks layers.append( Block(in_channels, out_channels, kernel_size, stride, expansion, se_ratio=0.25, drop_rate=drop_rate)) in_channels = out_channels return nn.Sequential(*layers) def forward(self, x): out = swish(self.bn1(self.conv1(x))) out = self.layers(out) out = F.adaptive_avg_pool2d(out, 1) out = out.view(out.size(0), -1) dropout_rate = self.cfg['dropout_rate'] if self.training and dropout_rate > 0: out = F.dropout(out, p=dropout_rate) out = self.linear(out) return out def EfficientNetB0(num_classes=10): cfg = { 'num_blocks': [1, 2, 2, 3, 3, 4, 1], 'expansion': [1, 6, 6, 6, 6, 6, 6], 'out_channels': [16, 24, 40, 80, 112, 192, 320], 'kernel_size': [3, 3, 5, 3, 5, 5, 3], 'stride': [1, 2, 2, 2, 1, 2, 1], 'dropout_rate': 0.2, 'drop_connect_rate': 0.2, } return EfficientNet(cfg, num_classes=num_classes) def test(): net = EfficientNetB0() x = torch.randn(2, 3, 32, 32) y = net(x) print(y.shape) if __name__ == '__main__': test()
5,755
32.271676
106
py
cGAN-KD
cGAN-KD-main/CIFAR-100/TAKD/models/resnet.py
from __future__ import absolute_import '''Resnet for cifar dataset. Ported form https://github.com/facebook/fb.resnet.torch and https://github.com/pytorch/vision/blob/master/torchvision/models/resnet.py (c) YANG, Wei ''' import torch.nn as nn import torch.nn.functional as F import math __all__ = ['resnet'] def conv3x3(in_planes, out_planes, stride=1): """3x3 convolution with padding""" return nn.Conv2d(in_planes, out_planes, kernel_size=3, stride=stride, padding=1, bias=False) class BasicBlock(nn.Module): expansion = 1 def __init__(self, inplanes, planes, stride=1, downsample=None, is_last=False): super(BasicBlock, self).__init__() self.is_last = is_last self.conv1 = conv3x3(inplanes, planes, stride) self.bn1 = nn.BatchNorm2d(planes) self.relu = nn.ReLU(inplace=True) self.conv2 = conv3x3(planes, planes) self.bn2 = nn.BatchNorm2d(planes) self.downsample = downsample self.stride = stride def forward(self, x): residual = x out = self.conv1(x) out = self.bn1(out) out = self.relu(out) out = self.conv2(out) out = self.bn2(out) if self.downsample is not None: residual = self.downsample(x) out += residual preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class Bottleneck(nn.Module): expansion = 4 def __init__(self, inplanes, planes, stride=1, downsample=None, is_last=False): super(Bottleneck, self).__init__() self.is_last = is_last self.conv1 = nn.Conv2d(inplanes, planes, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = nn.Conv2d(planes, planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(planes) self.conv3 = nn.Conv2d(planes, planes * 4, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(planes * 4) self.relu = nn.ReLU(inplace=True) self.downsample = downsample self.stride = stride def forward(self, x): residual = x out = self.conv1(x) out = self.bn1(out) out = self.relu(out) out = self.conv2(out) out = self.bn2(out) out = self.relu(out) out = self.conv3(out) out = self.bn3(out) if self.downsample is not None: residual = self.downsample(x) out += residual preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class ResNet(nn.Module): def __init__(self, depth, num_filters, block_name='BasicBlock', num_classes=10): super(ResNet, self).__init__() # Model type specifies number of layers for CIFAR-10 model if block_name.lower() == 'basicblock': assert (depth - 2) % 6 == 0, 'When use basicblock, depth should be 6n+2, e.g. 20, 32, 44, 56, 110, 1202' n = (depth - 2) // 6 block = BasicBlock elif block_name.lower() == 'bottleneck': assert (depth - 2) % 9 == 0, 'When use bottleneck, depth should be 9n+2, e.g. 20, 29, 47, 56, 110, 1199' n = (depth - 2) // 9 block = Bottleneck else: raise ValueError('block_name shoule be Basicblock or Bottleneck') self.inplanes = num_filters[0] self.conv1 = nn.Conv2d(3, num_filters[0], kernel_size=3, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(num_filters[0]) self.relu = nn.ReLU(inplace=True) self.layer1 = self._make_layer(block, num_filters[1], n) self.layer2 = self._make_layer(block, num_filters[2], n, stride=2) self.layer3 = self._make_layer(block, num_filters[3], n, stride=2) self.avgpool = nn.AvgPool2d(8) self.fc = nn.Linear(num_filters[3] * block.expansion, num_classes) for m in self.modules(): if isinstance(m, nn.Conv2d): nn.init.kaiming_normal_(m.weight, mode='fan_out', nonlinearity='relu') elif isinstance(m, (nn.BatchNorm2d, nn.GroupNorm)): nn.init.constant_(m.weight, 1) nn.init.constant_(m.bias, 0) def _make_layer(self, block, planes, blocks, stride=1): downsample = None if stride != 1 or self.inplanes != planes * block.expansion: downsample = nn.Sequential( nn.Conv2d(self.inplanes, planes * block.expansion, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(planes * block.expansion), ) layers = list([]) layers.append(block(self.inplanes, planes, stride, downsample, is_last=(blocks == 1))) self.inplanes = planes * block.expansion for i in range(1, blocks): layers.append(block(self.inplanes, planes, is_last=(i == blocks-1))) return nn.Sequential(*layers) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.relu) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) return feat_m def get_bn_before_relu(self): if isinstance(self.layer1[0], Bottleneck): bn1 = self.layer1[-1].bn3 bn2 = self.layer2[-1].bn3 bn3 = self.layer3[-1].bn3 elif isinstance(self.layer1[0], BasicBlock): bn1 = self.layer1[-1].bn2 bn2 = self.layer2[-1].bn2 bn3 = self.layer3[-1].bn2 else: raise NotImplementedError('ResNet unknown block error !!!') return [bn1, bn2, bn3] def forward(self, x, is_feat=False, preact=False): x = self.conv1(x) x = self.bn1(x) x = self.relu(x) # 32x32 f0 = x x, f1_pre = self.layer1(x) # 32x32 f1 = x x, f2_pre = self.layer2(x) # 16x16 f2 = x x, f3_pre = self.layer3(x) # 8x8 f3 = x x = self.avgpool(x) x = x.view(x.size(0), -1) f4 = x x = self.fc(x) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4], x else: return [f0, f1, f2, f3, f4], x else: return x def resnet8(**kwargs): return ResNet(8, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet14(**kwargs): return ResNet(14, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet20(**kwargs): return ResNet(20, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet32(**kwargs): return ResNet(32, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet44(**kwargs): return ResNet(44, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet56(**kwargs): return ResNet(56, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet110(**kwargs): return ResNet(110, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet8x4(**kwargs): return ResNet(8, [32, 64, 128, 256], 'basicblock', **kwargs) def resnet32x4(**kwargs): return ResNet(32, [32, 64, 128, 256], 'basicblock', **kwargs) if __name__ == '__main__': import torch x = torch.randn(2, 3, 32, 32) net = resnet8x4(num_classes=20) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
7,748
29.151751
116
py
cGAN-KD
cGAN-KD-main/CIFAR-100/TAKD/models/mobilenetv2.py
""" MobileNetV2 implementation used in <Knowledge Distillation via Route Constrained Optimization> """ import torch import torch.nn as nn import math __all__ = ['mobilenetv2_T_w', 'mobile_half'] BN = None def conv_bn(inp, oup, stride): return nn.Sequential( nn.Conv2d(inp, oup, 3, stride, 1, bias=False), nn.BatchNorm2d(oup), nn.ReLU(inplace=True) ) def conv_1x1_bn(inp, oup): return nn.Sequential( nn.Conv2d(inp, oup, 1, 1, 0, bias=False), nn.BatchNorm2d(oup), nn.ReLU(inplace=True) ) class InvertedResidual(nn.Module): def __init__(self, inp, oup, stride, expand_ratio): super(InvertedResidual, self).__init__() self.blockname = None self.stride = stride assert stride in [1, 2] self.use_res_connect = self.stride == 1 and inp == oup self.conv = nn.Sequential( # pw nn.Conv2d(inp, inp * expand_ratio, 1, 1, 0, bias=False), nn.BatchNorm2d(inp * expand_ratio), nn.ReLU(inplace=True), # dw nn.Conv2d(inp * expand_ratio, inp * expand_ratio, 3, stride, 1, groups=inp * expand_ratio, bias=False), nn.BatchNorm2d(inp * expand_ratio), nn.ReLU(inplace=True), # pw-linear nn.Conv2d(inp * expand_ratio, oup, 1, 1, 0, bias=False), nn.BatchNorm2d(oup), ) self.names = ['0', '1', '2', '3', '4', '5', '6', '7'] def forward(self, x): t = x if self.use_res_connect: return t + self.conv(x) else: return self.conv(x) class MobileNetV2(nn.Module): """mobilenetV2""" def __init__(self, T, feature_dim, input_size=32, width_mult=1., remove_avg=False): super(MobileNetV2, self).__init__() self.remove_avg = remove_avg # setting of inverted residual blocks self.interverted_residual_setting = [ # t, c, n, s [1, 16, 1, 1], [T, 24, 2, 1], [T, 32, 3, 2], [T, 64, 4, 2], [T, 96, 3, 1], [T, 160, 3, 2], [T, 320, 1, 1], ] # building first layer assert input_size % 32 == 0 input_channel = int(32 * width_mult) self.conv1 = conv_bn(3, input_channel, 2) # building inverted residual blocks self.blocks = nn.ModuleList([]) for t, c, n, s in self.interverted_residual_setting: output_channel = int(c * width_mult) layers = [] strides = [s] + [1] * (n - 1) for stride in strides: layers.append( InvertedResidual(input_channel, output_channel, stride, t) ) input_channel = output_channel self.blocks.append(nn.Sequential(*layers)) self.last_channel = int(1280 * width_mult) if width_mult > 1.0 else 1280 self.conv2 = conv_1x1_bn(input_channel, self.last_channel) # building classifier self.classifier = nn.Sequential( # nn.Dropout(0.5), nn.Linear(self.last_channel, feature_dim), ) H = input_size // (32//2) self.avgpool = nn.AvgPool2d(H, ceil_mode=True) self._initialize_weights() print(T, width_mult) def get_bn_before_relu(self): bn1 = self.blocks[1][-1].conv[-1] bn2 = self.blocks[2][-1].conv[-1] bn3 = self.blocks[4][-1].conv[-1] bn4 = self.blocks[6][-1].conv[-1] return [bn1, bn2, bn3, bn4] def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.blocks) return feat_m def forward(self, x, is_feat=False, preact=False): out = self.conv1(x) f0 = out out = self.blocks[0](out) out = self.blocks[1](out) f1 = out out = self.blocks[2](out) f2 = out out = self.blocks[3](out) out = self.blocks[4](out) f3 = out out = self.blocks[5](out) out = self.blocks[6](out) f4 = out out = self.conv2(out) if not self.remove_avg: out = self.avgpool(out) out = out.view(out.size(0), -1) f5 = out out = self.classifier(out) if is_feat: return [f0, f1, f2, f3, f4, f5], out else: return out def _initialize_weights(self): for m in self.modules(): if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) if m.bias is not None: m.bias.data.zero_() elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() elif isinstance(m, nn.Linear): n = m.weight.size(1) m.weight.data.normal_(0, 0.01) m.bias.data.zero_() def mobilenetv2_T_w(T, W, feature_dim=100): model = MobileNetV2(T=T, feature_dim=feature_dim, width_mult=W) return model def mobile_half(num_classes): return mobilenetv2_T_w(6, 0.5, num_classes) if __name__ == '__main__': x = torch.randn(2, 3, 32, 32) net = mobile_half(100) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
5,705
27.108374
115
py
cGAN-KD
cGAN-KD-main/CIFAR-100/TAKD/models/vgg.py
'''VGG for CIFAR10. FC layers are removed. (c) YANG, Wei ''' import torch.nn as nn import torch.nn.functional as F import math __all__ = [ 'VGG', 'vgg11', 'vgg11_bn', 'vgg13', 'vgg13_bn', 'vgg16', 'vgg16_bn', 'vgg19_bn', 'vgg19', ] model_urls = { 'vgg11': 'https://download.pytorch.org/models/vgg11-bbd30ac9.pth', 'vgg13': 'https://download.pytorch.org/models/vgg13-c768596a.pth', 'vgg16': 'https://download.pytorch.org/models/vgg16-397923af.pth', 'vgg19': 'https://download.pytorch.org/models/vgg19-dcbb9e9d.pth', } class VGG(nn.Module): def __init__(self, cfg, batch_norm=False, num_classes=1000): super(VGG, self).__init__() self.block0 = self._make_layers(cfg[0], batch_norm, 3) self.block1 = self._make_layers(cfg[1], batch_norm, cfg[0][-1]) self.block2 = self._make_layers(cfg[2], batch_norm, cfg[1][-1]) self.block3 = self._make_layers(cfg[3], batch_norm, cfg[2][-1]) self.block4 = self._make_layers(cfg[4], batch_norm, cfg[3][-1]) self.pool0 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool1 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool2 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool3 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool4 = nn.AdaptiveAvgPool2d((1, 1)) # self.pool4 = nn.MaxPool2d(kernel_size=2, stride=2) self.classifier = nn.Linear(512, num_classes) self._initialize_weights() def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.block0) feat_m.append(self.pool0) feat_m.append(self.block1) feat_m.append(self.pool1) feat_m.append(self.block2) feat_m.append(self.pool2) feat_m.append(self.block3) feat_m.append(self.pool3) feat_m.append(self.block4) feat_m.append(self.pool4) return feat_m def get_bn_before_relu(self): bn1 = self.block1[-1] bn2 = self.block2[-1] bn3 = self.block3[-1] bn4 = self.block4[-1] return [bn1, bn2, bn3, bn4] def forward(self, x, is_feat=False, preact=False): h = x.shape[2] x = F.relu(self.block0(x)) f0 = x x = self.pool0(x) x = self.block1(x) f1_pre = x x = F.relu(x) f1 = x x = self.pool1(x) x = self.block2(x) f2_pre = x x = F.relu(x) f2 = x x = self.pool2(x) x = self.block3(x) f3_pre = x x = F.relu(x) f3 = x if h == 64: x = self.pool3(x) x = self.block4(x) f4_pre = x x = F.relu(x) f4 = x x = self.pool4(x) x = x.view(x.size(0), -1) f5 = x x = self.classifier(x) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4_pre, f5], x else: return [f0, f1, f2, f3, f4, f5], x else: return x @staticmethod def _make_layers(cfg, batch_norm=False, in_channels=3): layers = [] for v in cfg: if v == 'M': layers += [nn.MaxPool2d(kernel_size=2, stride=2)] else: conv2d = nn.Conv2d(in_channels, v, kernel_size=3, padding=1) if batch_norm: layers += [conv2d, nn.BatchNorm2d(v), nn.ReLU(inplace=True)] else: layers += [conv2d, nn.ReLU(inplace=True)] in_channels = v layers = layers[:-1] return nn.Sequential(*layers) def _initialize_weights(self): for m in self.modules(): if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) if m.bias is not None: m.bias.data.zero_() elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() elif isinstance(m, nn.Linear): n = m.weight.size(1) m.weight.data.normal_(0, 0.01) m.bias.data.zero_() cfg = { 'A': [[64], [128], [256, 256], [512, 512], [512, 512]], 'B': [[64, 64], [128, 128], [256, 256], [512, 512], [512, 512]], 'D': [[64, 64], [128, 128], [256, 256, 256], [512, 512, 512], [512, 512, 512]], 'E': [[64, 64], [128, 128], [256, 256, 256, 256], [512, 512, 512, 512], [512, 512, 512, 512]], 'S': [[64], [128], [256], [512], [512]], } def vgg8(**kwargs): """VGG 8-layer model (configuration "S") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['S'], **kwargs) return model def vgg8_bn(**kwargs): """VGG 8-layer model (configuration "S") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['S'], batch_norm=True, **kwargs) return model def vgg11(**kwargs): """VGG 11-layer model (configuration "A") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['A'], **kwargs) return model def vgg11_bn(**kwargs): """VGG 11-layer model (configuration "A") with batch normalization""" model = VGG(cfg['A'], batch_norm=True, **kwargs) return model def vgg13(**kwargs): """VGG 13-layer model (configuration "B") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['B'], **kwargs) return model def vgg13_bn(**kwargs): """VGG 13-layer model (configuration "B") with batch normalization""" model = VGG(cfg['B'], batch_norm=True, **kwargs) return model def vgg16(**kwargs): """VGG 16-layer model (configuration "D") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['D'], **kwargs) return model def vgg16_bn(**kwargs): """VGG 16-layer model (configuration "D") with batch normalization""" model = VGG(cfg['D'], batch_norm=True, **kwargs) return model def vgg19(**kwargs): """VGG 19-layer model (configuration "E") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['E'], **kwargs) return model def vgg19_bn(**kwargs): """VGG 19-layer model (configuration 'E') with batch normalization""" model = VGG(cfg['E'], batch_norm=True, **kwargs) return model if __name__ == '__main__': import torch x = torch.randn(2, 3, 32, 32) net = vgg19_bn(num_classes=100) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
6,971
28.417722
98
py
cGAN-KD
cGAN-KD-main/CIFAR-100/TAKD/models/densenet.py
'''DenseNet in PyTorch.''' import math import torch import torch.nn as nn import torch.nn.functional as F from torch.autograd import Variable NC=3 resize = (32,32) class Bottleneck(nn.Module): def __init__(self, in_planes, growth_rate): super(Bottleneck, self).__init__() self.bn1 = nn.BatchNorm2d(in_planes) self.conv1 = nn.Conv2d(in_planes, 4*growth_rate, kernel_size=1, bias=False) self.bn2 = nn.BatchNorm2d(4*growth_rate) self.conv2 = nn.Conv2d(4*growth_rate, growth_rate, kernel_size=3, padding=1, bias=False) def forward(self, x): out = self.conv1(F.relu(self.bn1(x))) out = self.conv2(F.relu(self.bn2(out))) out = torch.cat([out,x], 1) return out class Transition(nn.Module): def __init__(self, in_planes, out_planes): super(Transition, self).__init__() self.bn = nn.BatchNorm2d(in_planes) self.conv = nn.Conv2d(in_planes, out_planes, kernel_size=1, bias=False) def forward(self, x): out = self.conv(F.relu(self.bn(x))) out = F.avg_pool2d(out, 2) return out class DenseNet(nn.Module): def __init__(self, block, nblocks, growth_rate=12, reduction=0.5, num_classes=10): super(DenseNet, self).__init__() self.growth_rate = growth_rate num_planes = 2*growth_rate self.conv1 = nn.Conv2d(NC, num_planes, kernel_size=3, padding=1, bias=False) self.dense1 = self._make_dense_layers(block, num_planes, nblocks[0]) num_planes += nblocks[0]*growth_rate out_planes = int(math.floor(num_planes*reduction)) self.trans1 = Transition(num_planes, out_planes) num_planes = out_planes self.dense2 = self._make_dense_layers(block, num_planes, nblocks[1]) num_planes += nblocks[1]*growth_rate out_planes = int(math.floor(num_planes*reduction)) self.trans2 = Transition(num_planes, out_planes) num_planes = out_planes self.dense3 = self._make_dense_layers(block, num_planes, nblocks[2]) num_planes += nblocks[2]*growth_rate out_planes = int(math.floor(num_planes*reduction)) self.trans3 = Transition(num_planes, out_planes) num_planes = out_planes self.dense4 = self._make_dense_layers(block, num_planes, nblocks[3]) num_planes += nblocks[3]*growth_rate self.bn = nn.BatchNorm2d(num_planes) self.linear = nn.Linear(num_planes, num_classes) def _make_dense_layers(self, block, in_planes, nblock): layers = [] for i in range(nblock): layers.append(block(in_planes, self.growth_rate)) in_planes += self.growth_rate return nn.Sequential(*layers) def forward(self, x, is_feat=False, preact=False): # x = nn.functional.interpolate(x,size=resize,mode='bilinear',align_corners=True) out = self.conv1(x) out = self.trans1(self.dense1(out)) out = self.trans2(self.dense2(out)) out = self.trans3(self.dense3(out)) out = self.dense4(out) out = F.avg_pool2d(F.relu(self.bn(out)), 4) out = out.view(out.size(0), -1) out = self.linear(out) return out def DenseNet121(num_classes=10): return DenseNet(Bottleneck, [6,12,24,16], growth_rate=32, num_classes=num_classes) def DenseNet169(num_classes=10): return DenseNet(Bottleneck, [6,12,32,32], growth_rate=32, num_classes=num_classes) def DenseNet201(num_classes=10): return DenseNet(Bottleneck, [6,12,48,32], growth_rate=32, num_classes=num_classes) def DenseNet161(num_classes=10): return DenseNet(Bottleneck, [6,12,36,24], growth_rate=48, num_classes=num_classes) def test_densenet(): net = DenseNet121(num_classes=10) x = torch.randn(2,3,32,32) y = net(Variable(x), is_feat=False, preact=False) print(y.shape) if __name__ == "__main__": test_densenet()
3,895
32.878261
96
py
cGAN-KD
cGAN-KD-main/CIFAR-100/TAKD/models/classifier.py
from __future__ import print_function import torch.nn as nn ######################################### # ===== Classifiers ===== # ######################################### class LinearClassifier(nn.Module): def __init__(self, dim_in, n_label=10): super(LinearClassifier, self).__init__() self.net = nn.Linear(dim_in, n_label) def forward(self, x): return self.net(x) class NonLinearClassifier(nn.Module): def __init__(self, dim_in, n_label=10, p=0.1): super(NonLinearClassifier, self).__init__() self.net = nn.Sequential( nn.Linear(dim_in, 200), nn.Dropout(p=p), nn.BatchNorm1d(200), nn.ReLU(inplace=True), nn.Linear(200, n_label), ) def forward(self, x): return self.net(x)
819
21.777778
51
py
cGAN-KD
cGAN-KD-main/CIFAR-100/TAKD/models/resnetv2.py
'''ResNet in PyTorch. For Pre-activation ResNet, see 'preact_resnet.py'. Reference: [1] Kaiming He, Xiangyu Zhang, Shaoqing Ren, Jian Sun Deep Residual Learning for Image Recognition. arXiv:1512.03385 ''' import torch import torch.nn as nn import torch.nn.functional as F class BasicBlock(nn.Module): expansion = 1 def __init__(self, in_planes, planes, stride=1, is_last=False): super(BasicBlock, self).__init__() self.is_last = is_last self.conv1 = nn.Conv2d(in_planes, planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = nn.Conv2d(planes, planes, kernel_size=3, stride=1, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(planes) self.shortcut = nn.Sequential() if stride != 1 or in_planes != self.expansion * planes: self.shortcut = nn.Sequential( nn.Conv2d(in_planes, self.expansion * planes, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(self.expansion * planes) ) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = self.bn2(self.conv2(out)) out += self.shortcut(x) preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class Bottleneck(nn.Module): expansion = 4 def __init__(self, in_planes, planes, stride=1, is_last=False): super(Bottleneck, self).__init__() self.is_last = is_last self.conv1 = nn.Conv2d(in_planes, planes, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = nn.Conv2d(planes, planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(planes) self.conv3 = nn.Conv2d(planes, self.expansion * planes, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(self.expansion * planes) self.shortcut = nn.Sequential() if stride != 1 or in_planes != self.expansion * planes: self.shortcut = nn.Sequential( nn.Conv2d(in_planes, self.expansion * planes, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(self.expansion * planes) ) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = F.relu(self.bn2(self.conv2(out))) out = self.bn3(self.conv3(out)) out += self.shortcut(x) preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class ResNet(nn.Module): def __init__(self, block, num_blocks, num_classes=10, zero_init_residual=False): super(ResNet, self).__init__() self.in_planes = 64 self.conv1 = nn.Conv2d(3, 64, kernel_size=3, stride=1, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(64) self.layer1 = self._make_layer(block, 64, num_blocks[0], stride=1) self.layer2 = self._make_layer(block, 128, num_blocks[1], stride=2) self.layer3 = self._make_layer(block, 256, num_blocks[2], stride=2) self.layer4 = self._make_layer(block, 512, num_blocks[3], stride=2) self.avgpool = nn.AdaptiveAvgPool2d((1, 1)) self.linear = nn.Linear(512 * block.expansion, num_classes) for m in self.modules(): if isinstance(m, nn.Conv2d): nn.init.kaiming_normal_(m.weight, mode='fan_out', nonlinearity='relu') elif isinstance(m, (nn.BatchNorm2d, nn.GroupNorm)): nn.init.constant_(m.weight, 1) nn.init.constant_(m.bias, 0) # Zero-initialize the last BN in each residual branch, # so that the residual branch starts with zeros, and each residual block behaves like an identity. # This improves the model by 0.2~0.3% according to https://arxiv.org/abs/1706.02677 if zero_init_residual: for m in self.modules(): if isinstance(m, Bottleneck): nn.init.constant_(m.bn3.weight, 0) elif isinstance(m, BasicBlock): nn.init.constant_(m.bn2.weight, 0) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) feat_m.append(self.layer4) return feat_m def get_bn_before_relu(self): if isinstance(self.layer1[0], Bottleneck): bn1 = self.layer1[-1].bn3 bn2 = self.layer2[-1].bn3 bn3 = self.layer3[-1].bn3 bn4 = self.layer4[-1].bn3 elif isinstance(self.layer1[0], BasicBlock): bn1 = self.layer1[-1].bn2 bn2 = self.layer2[-1].bn2 bn3 = self.layer3[-1].bn2 bn4 = self.layer4[-1].bn2 else: raise NotImplementedError('ResNet unknown block error !!!') return [bn1, bn2, bn3, bn4] def _make_layer(self, block, planes, num_blocks, stride): strides = [stride] + [1] * (num_blocks - 1) layers = [] for i in range(num_blocks): stride = strides[i] layers.append(block(self.in_planes, planes, stride, i == num_blocks - 1)) self.in_planes = planes * block.expansion return nn.Sequential(*layers) def forward(self, x, is_feat=False, preact=False): out = F.relu(self.bn1(self.conv1(x))) f0 = out out, f1_pre = self.layer1(out) f1 = out out, f2_pre = self.layer2(out) f2 = out out, f3_pre = self.layer3(out) f3 = out out, f4_pre = self.layer4(out) f4 = out out = self.avgpool(out) out = out.view(out.size(0), -1) f5 = out out = self.linear(out) if is_feat: if preact: return [[f0, f1_pre, f2_pre, f3_pre, f4_pre, f5], out] else: return [f0, f1, f2, f3, f4, f5], out else: return out def ResNet18(**kwargs): return ResNet(BasicBlock, [2, 2, 2, 2], **kwargs) def ResNet34(**kwargs): return ResNet(BasicBlock, [3, 4, 6, 3], **kwargs) def ResNet50(**kwargs): return ResNet(Bottleneck, [3, 4, 6, 3], **kwargs) def ResNet101(**kwargs): return ResNet(Bottleneck, [3, 4, 23, 3], **kwargs) def ResNet152(**kwargs): return ResNet(Bottleneck, [3, 8, 36, 3], **kwargs) if __name__ == '__main__': net = ResNet18(num_classes=100) x = torch.randn(2, 3, 32, 32) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
6,915
33.753769
106
py
cGAN-KD
cGAN-KD-main/CIFAR-100/TAKD/models/ShuffleNetv1.py
'''ShuffleNet in PyTorch. See the paper "ShuffleNet: An Extremely Efficient Convolutional Neural Network for Mobile Devices" for more details. ''' import torch import torch.nn as nn import torch.nn.functional as F class ShuffleBlock(nn.Module): def __init__(self, groups): super(ShuffleBlock, self).__init__() self.groups = groups def forward(self, x): '''Channel shuffle: [N,C,H,W] -> [N,g,C/g,H,W] -> [N,C/g,g,H,w] -> [N,C,H,W]''' N,C,H,W = x.size() g = self.groups return x.view(N,g,C//g,H,W).permute(0,2,1,3,4).reshape(N,C,H,W) class Bottleneck(nn.Module): def __init__(self, in_planes, out_planes, stride, groups, is_last=False): super(Bottleneck, self).__init__() self.is_last = is_last self.stride = stride mid_planes = int(out_planes/4) g = 1 if in_planes == 24 else groups self.conv1 = nn.Conv2d(in_planes, mid_planes, kernel_size=1, groups=g, bias=False) self.bn1 = nn.BatchNorm2d(mid_planes) self.shuffle1 = ShuffleBlock(groups=g) self.conv2 = nn.Conv2d(mid_planes, mid_planes, kernel_size=3, stride=stride, padding=1, groups=mid_planes, bias=False) self.bn2 = nn.BatchNorm2d(mid_planes) self.conv3 = nn.Conv2d(mid_planes, out_planes, kernel_size=1, groups=groups, bias=False) self.bn3 = nn.BatchNorm2d(out_planes) self.shortcut = nn.Sequential() if stride == 2: self.shortcut = nn.Sequential(nn.AvgPool2d(3, stride=2, padding=1)) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = self.shuffle1(out) out = F.relu(self.bn2(self.conv2(out))) out = self.bn3(self.conv3(out)) res = self.shortcut(x) preact = torch.cat([out, res], 1) if self.stride == 2 else out+res out = F.relu(preact) # out = F.relu(torch.cat([out, res], 1)) if self.stride == 2 else F.relu(out+res) if self.is_last: return out, preact else: return out class ShuffleNet(nn.Module): def __init__(self, cfg, num_classes=10): super(ShuffleNet, self).__init__() out_planes = cfg['out_planes'] num_blocks = cfg['num_blocks'] groups = cfg['groups'] self.conv1 = nn.Conv2d(3, 24, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(24) self.in_planes = 24 self.layer1 = self._make_layer(out_planes[0], num_blocks[0], groups) self.layer2 = self._make_layer(out_planes[1], num_blocks[1], groups) self.layer3 = self._make_layer(out_planes[2], num_blocks[2], groups) self.linear = nn.Linear(out_planes[2], num_classes) def _make_layer(self, out_planes, num_blocks, groups): layers = [] for i in range(num_blocks): stride = 2 if i == 0 else 1 cat_planes = self.in_planes if i == 0 else 0 layers.append(Bottleneck(self.in_planes, out_planes-cat_planes, stride=stride, groups=groups, is_last=(i == num_blocks - 1))) self.in_planes = out_planes return nn.Sequential(*layers) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) return feat_m def get_bn_before_relu(self): raise NotImplementedError('ShuffleNet currently is not supported for "Overhaul" teacher') def forward(self, x, is_feat=False, preact=False): out = F.relu(self.bn1(self.conv1(x))) f0 = out out, f1_pre = self.layer1(out) f1 = out out, f2_pre = self.layer2(out) f2 = out out, f3_pre = self.layer3(out) f3 = out out = F.avg_pool2d(out, 4) out = out.view(out.size(0), -1) f4 = out out = self.linear(out) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4], out else: return [f0, f1, f2, f3, f4], out else: return out def ShuffleV1(**kwargs): cfg = { 'out_planes': [240, 480, 960], 'num_blocks': [4, 8, 4], 'groups': 3 } return ShuffleNet(cfg, **kwargs) if __name__ == '__main__': x = torch.randn(2, 3, 32, 32) net = ShuffleV1(num_classes=100) import time a = time.time() feats, logit = net(x, is_feat=True, preact=True) b = time.time() print(b - a) for f in feats: print(f.shape, f.min().item()) print(logit.shape)
4,732
33.05036
126
py
cGAN-KD
cGAN-KD-main/CIFAR-100/TAKD/models/util.py
from __future__ import print_function import torch.nn as nn import math class Paraphraser(nn.Module): """Paraphrasing Complex Network: Network Compression via Factor Transfer""" def __init__(self, t_shape, k=0.5, use_bn=False): super(Paraphraser, self).__init__() in_channel = t_shape[1] out_channel = int(t_shape[1] * k) self.encoder = nn.Sequential( nn.Conv2d(in_channel, in_channel, 3, 1, 1), nn.BatchNorm2d(in_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), nn.Conv2d(in_channel, out_channel, 3, 1, 1), nn.BatchNorm2d(out_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), nn.Conv2d(out_channel, out_channel, 3, 1, 1), nn.BatchNorm2d(out_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), ) self.decoder = nn.Sequential( nn.ConvTranspose2d(out_channel, out_channel, 3, 1, 1), nn.BatchNorm2d(out_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), nn.ConvTranspose2d(out_channel, in_channel, 3, 1, 1), nn.BatchNorm2d(in_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), nn.ConvTranspose2d(in_channel, in_channel, 3, 1, 1), nn.BatchNorm2d(in_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), ) def forward(self, f_s, is_factor=False): factor = self.encoder(f_s) if is_factor: return factor rec = self.decoder(factor) return factor, rec class Translator(nn.Module): def __init__(self, s_shape, t_shape, k=0.5, use_bn=True): super(Translator, self).__init__() in_channel = s_shape[1] out_channel = int(t_shape[1] * k) self.encoder = nn.Sequential( nn.Conv2d(in_channel, in_channel, 3, 1, 1), nn.BatchNorm2d(in_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), nn.Conv2d(in_channel, out_channel, 3, 1, 1), nn.BatchNorm2d(out_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), nn.Conv2d(out_channel, out_channel, 3, 1, 1), nn.BatchNorm2d(out_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), ) def forward(self, f_s): return self.encoder(f_s) class Connector(nn.Module): """Connect for Knowledge Transfer via Distillation of Activation Boundaries Formed by Hidden Neurons""" def __init__(self, s_shapes, t_shapes): super(Connector, self).__init__() self.s_shapes = s_shapes self.t_shapes = t_shapes self.connectors = nn.ModuleList(self._make_conenctors(s_shapes, t_shapes)) @staticmethod def _make_conenctors(s_shapes, t_shapes): assert len(s_shapes) == len(t_shapes), 'unequal length of feat list' connectors = [] for s, t in zip(s_shapes, t_shapes): if s[1] == t[1] and s[2] == t[2]: connectors.append(nn.Sequential()) else: connectors.append(ConvReg(s, t, use_relu=False)) return connectors def forward(self, g_s): out = [] for i in range(len(g_s)): out.append(self.connectors[i](g_s[i])) return out class ConnectorV2(nn.Module): """A Comprehensive Overhaul of Feature Distillation (ICCV 2019)""" def __init__(self, s_shapes, t_shapes): super(ConnectorV2, self).__init__() self.s_shapes = s_shapes self.t_shapes = t_shapes self.connectors = nn.ModuleList(self._make_conenctors(s_shapes, t_shapes)) def _make_conenctors(self, s_shapes, t_shapes): assert len(s_shapes) == len(t_shapes), 'unequal length of feat list' t_channels = [t[1] for t in t_shapes] s_channels = [s[1] for s in s_shapes] connectors = nn.ModuleList([self._build_feature_connector(t, s) for t, s in zip(t_channels, s_channels)]) return connectors @staticmethod def _build_feature_connector(t_channel, s_channel): C = [nn.Conv2d(s_channel, t_channel, kernel_size=1, stride=1, padding=0, bias=False), nn.BatchNorm2d(t_channel)] for m in C: if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() return nn.Sequential(*C) def forward(self, g_s): out = [] for i in range(len(g_s)): out.append(self.connectors[i](g_s[i])) return out class ConvReg(nn.Module): """Convolutional regression for FitNet""" def __init__(self, s_shape, t_shape, use_relu=True): super(ConvReg, self).__init__() self.use_relu = use_relu s_N, s_C, s_H, s_W = s_shape t_N, t_C, t_H, t_W = t_shape if s_H == 2 * t_H: self.conv = nn.Conv2d(s_C, t_C, kernel_size=3, stride=2, padding=1) elif s_H * 2 == t_H: self.conv = nn.ConvTranspose2d(s_C, t_C, kernel_size=4, stride=2, padding=1) elif s_H >= t_H: self.conv = nn.Conv2d(s_C, t_C, kernel_size=(1+s_H-t_H, 1+s_W-t_W)) else: raise NotImplemented('student size {}, teacher size {}'.format(s_H, t_H)) self.bn = nn.BatchNorm2d(t_C) self.relu = nn.ReLU(inplace=True) def forward(self, x): x = self.conv(x) if self.use_relu: return self.relu(self.bn(x)) else: return self.bn(x) class Regress(nn.Module): """Simple Linear Regression for hints""" def __init__(self, dim_in=1024, dim_out=1024): super(Regress, self).__init__() self.linear = nn.Linear(dim_in, dim_out) self.relu = nn.ReLU(inplace=True) def forward(self, x): x = x.view(x.shape[0], -1) x = self.linear(x) x = self.relu(x) return x class Embed(nn.Module): """Embedding module""" def __init__(self, dim_in=1024, dim_out=128): super(Embed, self).__init__() self.linear = nn.Linear(dim_in, dim_out) self.l2norm = Normalize(2) def forward(self, x): x = x.view(x.shape[0], -1) x = self.linear(x) x = self.l2norm(x) return x class LinearEmbed(nn.Module): """Linear Embedding""" def __init__(self, dim_in=1024, dim_out=128): super(LinearEmbed, self).__init__() self.linear = nn.Linear(dim_in, dim_out) def forward(self, x): x = x.view(x.shape[0], -1) x = self.linear(x) return x class MLPEmbed(nn.Module): """non-linear embed by MLP""" def __init__(self, dim_in=1024, dim_out=128): super(MLPEmbed, self).__init__() self.linear1 = nn.Linear(dim_in, 2 * dim_out) self.relu = nn.ReLU(inplace=True) self.linear2 = nn.Linear(2 * dim_out, dim_out) self.l2norm = Normalize(2) def forward(self, x): x = x.view(x.shape[0], -1) x = self.relu(self.linear1(x)) x = self.l2norm(self.linear2(x)) return x class Normalize(nn.Module): """normalization layer""" def __init__(self, power=2): super(Normalize, self).__init__() self.power = power def forward(self, x): norm = x.pow(self.power).sum(1, keepdim=True).pow(1. / self.power) out = x.div(norm) return out class Flatten(nn.Module): """flatten module""" def __init__(self): super(Flatten, self).__init__() def forward(self, feat): return feat.view(feat.size(0), -1) class PoolEmbed(nn.Module): """pool and embed""" def __init__(self, layer=0, dim_out=128, pool_type='avg'): super().__init__() if layer == 0: pool_size = 8 nChannels = 16 elif layer == 1: pool_size = 8 nChannels = 16 elif layer == 2: pool_size = 6 nChannels = 32 elif layer == 3: pool_size = 4 nChannels = 64 elif layer == 4: pool_size = 1 nChannels = 64 else: raise NotImplementedError('layer not supported: {}'.format(layer)) self.embed = nn.Sequential() if layer <= 3: if pool_type == 'max': self.embed.add_module('MaxPool', nn.AdaptiveMaxPool2d((pool_size, pool_size))) elif pool_type == 'avg': self.embed.add_module('AvgPool', nn.AdaptiveAvgPool2d((pool_size, pool_size))) self.embed.add_module('Flatten', Flatten()) self.embed.add_module('Linear', nn.Linear(nChannels*pool_size*pool_size, dim_out)) self.embed.add_module('Normalize', Normalize(2)) def forward(self, x): return self.embed(x) if __name__ == '__main__': import torch g_s = [ torch.randn(2, 16, 16, 16), torch.randn(2, 32, 8, 8), torch.randn(2, 64, 4, 4), ] g_t = [ torch.randn(2, 32, 16, 16), torch.randn(2, 64, 8, 8), torch.randn(2, 128, 4, 4), ] s_shapes = [s.shape for s in g_s] t_shapes = [t.shape for t in g_t] net = ConnectorV2(s_shapes, t_shapes) out = net(g_s) for f in out: print(f.shape)
9,622
32.068729
107
py
cGAN-KD
cGAN-KD-main/CIFAR-100/TAKD/models/ShuffleNetv2.py
'''ShuffleNetV2 in PyTorch. See the paper "ShuffleNet V2: Practical Guidelines for Efficient CNN Architecture Design" for more details. ''' import torch import torch.nn as nn import torch.nn.functional as F class ShuffleBlock(nn.Module): def __init__(self, groups=2): super(ShuffleBlock, self).__init__() self.groups = groups def forward(self, x): '''Channel shuffle: [N,C,H,W] -> [N,g,C/g,H,W] -> [N,C/g,g,H,w] -> [N,C,H,W]''' N, C, H, W = x.size() g = self.groups return x.view(N, g, C//g, H, W).permute(0, 2, 1, 3, 4).reshape(N, C, H, W) class SplitBlock(nn.Module): def __init__(self, ratio): super(SplitBlock, self).__init__() self.ratio = ratio def forward(self, x): c = int(x.size(1) * self.ratio) return x[:, :c, :, :], x[:, c:, :, :] class BasicBlock(nn.Module): def __init__(self, in_channels, split_ratio=0.5, is_last=False): super(BasicBlock, self).__init__() self.is_last = is_last self.split = SplitBlock(split_ratio) in_channels = int(in_channels * split_ratio) self.conv1 = nn.Conv2d(in_channels, in_channels, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(in_channels) self.conv2 = nn.Conv2d(in_channels, in_channels, kernel_size=3, stride=1, padding=1, groups=in_channels, bias=False) self.bn2 = nn.BatchNorm2d(in_channels) self.conv3 = nn.Conv2d(in_channels, in_channels, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(in_channels) self.shuffle = ShuffleBlock() def forward(self, x): x1, x2 = self.split(x) out = F.relu(self.bn1(self.conv1(x2))) out = self.bn2(self.conv2(out)) preact = self.bn3(self.conv3(out)) out = F.relu(preact) # out = F.relu(self.bn3(self.conv3(out))) preact = torch.cat([x1, preact], 1) out = torch.cat([x1, out], 1) out = self.shuffle(out) if self.is_last: return out, preact else: return out class DownBlock(nn.Module): def __init__(self, in_channels, out_channels): super(DownBlock, self).__init__() mid_channels = out_channels // 2 # left self.conv1 = nn.Conv2d(in_channels, in_channels, kernel_size=3, stride=2, padding=1, groups=in_channels, bias=False) self.bn1 = nn.BatchNorm2d(in_channels) self.conv2 = nn.Conv2d(in_channels, mid_channels, kernel_size=1, bias=False) self.bn2 = nn.BatchNorm2d(mid_channels) # right self.conv3 = nn.Conv2d(in_channels, mid_channels, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(mid_channels) self.conv4 = nn.Conv2d(mid_channels, mid_channels, kernel_size=3, stride=2, padding=1, groups=mid_channels, bias=False) self.bn4 = nn.BatchNorm2d(mid_channels) self.conv5 = nn.Conv2d(mid_channels, mid_channels, kernel_size=1, bias=False) self.bn5 = nn.BatchNorm2d(mid_channels) self.shuffle = ShuffleBlock() def forward(self, x): # left out1 = self.bn1(self.conv1(x)) out1 = F.relu(self.bn2(self.conv2(out1))) # right out2 = F.relu(self.bn3(self.conv3(x))) out2 = self.bn4(self.conv4(out2)) out2 = F.relu(self.bn5(self.conv5(out2))) # concat out = torch.cat([out1, out2], 1) out = self.shuffle(out) return out class ShuffleNetV2(nn.Module): def __init__(self, net_size, num_classes=10): super(ShuffleNetV2, self).__init__() out_channels = configs[net_size]['out_channels'] num_blocks = configs[net_size]['num_blocks'] # self.conv1 = nn.Conv2d(3, 24, kernel_size=3, # stride=1, padding=1, bias=False) self.conv1 = nn.Conv2d(3, 24, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(24) self.in_channels = 24 self.layer1 = self._make_layer(out_channels[0], num_blocks[0]) self.layer2 = self._make_layer(out_channels[1], num_blocks[1]) self.layer3 = self._make_layer(out_channels[2], num_blocks[2]) self.conv2 = nn.Conv2d(out_channels[2], out_channels[3], kernel_size=1, stride=1, padding=0, bias=False) self.bn2 = nn.BatchNorm2d(out_channels[3]) self.linear = nn.Linear(out_channels[3], num_classes) def _make_layer(self, out_channels, num_blocks): layers = [DownBlock(self.in_channels, out_channels)] for i in range(num_blocks): layers.append(BasicBlock(out_channels, is_last=(i == num_blocks - 1))) self.in_channels = out_channels return nn.Sequential(*layers) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) return feat_m def get_bn_before_relu(self): raise NotImplementedError('ShuffleNetV2 currently is not supported for "Overhaul" teacher') def forward(self, x, is_feat=False, preact=False): out = F.relu(self.bn1(self.conv1(x))) # out = F.max_pool2d(out, 3, stride=2, padding=1) f0 = out out, f1_pre = self.layer1(out) f1 = out out, f2_pre = self.layer2(out) f2 = out out, f3_pre = self.layer3(out) f3 = out out = F.relu(self.bn2(self.conv2(out))) out = F.avg_pool2d(out, 4) out = out.view(out.size(0), -1) f4 = out out = self.linear(out) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4], out else: return [f0, f1, f2, f3, f4], out else: return out configs = { 0.2: { 'out_channels': (40, 80, 160, 512), 'num_blocks': (3, 3, 3) }, 0.3: { 'out_channels': (40, 80, 160, 512), 'num_blocks': (3, 7, 3) }, 0.5: { 'out_channels': (48, 96, 192, 1024), 'num_blocks': (3, 7, 3) }, 1: { 'out_channels': (116, 232, 464, 1024), 'num_blocks': (3, 7, 3) }, 1.5: { 'out_channels': (176, 352, 704, 1024), 'num_blocks': (3, 7, 3) }, 2: { 'out_channels': (224, 488, 976, 2048), 'num_blocks': (3, 7, 3) } } def ShuffleV2(**kwargs): model = ShuffleNetV2(net_size=1, **kwargs) return model if __name__ == '__main__': net = ShuffleV2(num_classes=100) x = torch.randn(3, 3, 32, 32) import time a = time.time() feats, logit = net(x, is_feat=True, preact=True) b = time.time() print(b - a) for f in feats: print(f.shape, f.min().item()) print(logit.shape)
7,074
32.530806
107
py
cGAN-KD
cGAN-KD-main/CIFAR-100/TAKD/models/wrn.py
import math import torch import torch.nn as nn import torch.nn.functional as F """ Original Author: Wei Yang """ __all__ = ['wrn'] class BasicBlock(nn.Module): def __init__(self, in_planes, out_planes, stride, dropRate=0.0): super(BasicBlock, self).__init__() self.bn1 = nn.BatchNorm2d(in_planes) self.relu1 = nn.ReLU(inplace=True) self.conv1 = nn.Conv2d(in_planes, out_planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(out_planes) self.relu2 = nn.ReLU(inplace=True) self.conv2 = nn.Conv2d(out_planes, out_planes, kernel_size=3, stride=1, padding=1, bias=False) self.droprate = dropRate self.equalInOut = (in_planes == out_planes) self.convShortcut = (not self.equalInOut) and nn.Conv2d(in_planes, out_planes, kernel_size=1, stride=stride, padding=0, bias=False) or None def forward(self, x): if not self.equalInOut: x = self.relu1(self.bn1(x)) else: out = self.relu1(self.bn1(x)) out = self.relu2(self.bn2(self.conv1(out if self.equalInOut else x))) if self.droprate > 0: out = F.dropout(out, p=self.droprate, training=self.training) out = self.conv2(out) return torch.add(x if self.equalInOut else self.convShortcut(x), out) class NetworkBlock(nn.Module): def __init__(self, nb_layers, in_planes, out_planes, block, stride, dropRate=0.0): super(NetworkBlock, self).__init__() self.layer = self._make_layer(block, in_planes, out_planes, nb_layers, stride, dropRate) def _make_layer(self, block, in_planes, out_planes, nb_layers, stride, dropRate): layers = [] for i in range(nb_layers): layers.append(block(i == 0 and in_planes or out_planes, out_planes, i == 0 and stride or 1, dropRate)) return nn.Sequential(*layers) def forward(self, x): return self.layer(x) class WideResNet(nn.Module): def __init__(self, depth, num_classes, widen_factor=1, dropRate=0.0): super(WideResNet, self).__init__() nChannels = [16, 16*widen_factor, 32*widen_factor, 64*widen_factor] assert (depth - 4) % 6 == 0, 'depth should be 6n+4' n = (depth - 4) // 6 block = BasicBlock # 1st conv before any network block self.conv1 = nn.Conv2d(3, nChannels[0], kernel_size=3, stride=1, padding=1, bias=False) # 1st block self.block1 = NetworkBlock(n, nChannels[0], nChannels[1], block, 1, dropRate) # 2nd block self.block2 = NetworkBlock(n, nChannels[1], nChannels[2], block, 2, dropRate) # 3rd block self.block3 = NetworkBlock(n, nChannels[2], nChannels[3], block, 2, dropRate) # global average pooling and classifier self.bn1 = nn.BatchNorm2d(nChannels[3]) self.relu = nn.ReLU(inplace=True) self.fc = nn.Linear(nChannels[3], num_classes) self.nChannels = nChannels[3] for m in self.modules(): if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() elif isinstance(m, nn.Linear): m.bias.data.zero_() def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.block1) feat_m.append(self.block2) feat_m.append(self.block3) return feat_m def get_bn_before_relu(self): bn1 = self.block2.layer[0].bn1 bn2 = self.block3.layer[0].bn1 bn3 = self.bn1 return [bn1, bn2, bn3] def forward(self, x, is_feat=False, preact=False): out = self.conv1(x) f0 = out out = self.block1(out) f1 = out out = self.block2(out) f2 = out out = self.block3(out) f3 = out out = self.relu(self.bn1(out)) out = F.avg_pool2d(out, 8) out = out.view(-1, self.nChannels) f4 = out out = self.fc(out) if is_feat: if preact: f1 = self.block2.layer[0].bn1(f1) f2 = self.block3.layer[0].bn1(f2) f3 = self.bn1(f3) return [f0, f1, f2, f3, f4], out else: return out def wrn(**kwargs): """ Constructs a Wide Residual Networks. """ model = WideResNet(**kwargs) return model def wrn_40_2(**kwargs): model = WideResNet(depth=40, widen_factor=2, **kwargs) return model def wrn_40_1(**kwargs): model = WideResNet(depth=40, widen_factor=1, **kwargs) return model def wrn_16_2(**kwargs): model = WideResNet(depth=16, widen_factor=2, **kwargs) return model def wrn_16_1(**kwargs): model = WideResNet(depth=16, widen_factor=1, **kwargs) return model if __name__ == '__main__': import torch x = torch.randn(2, 3, 32, 32) net = wrn_40_2(num_classes=100) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
5,519
31.280702
116
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/make_hdf5.py
""" Convert dataset to HDF5 This script preprocesses a dataset and saves it (images and labels) to an HDF5 file for improved I/O. """ import os import sys from argparse import ArgumentParser from tqdm import tqdm, trange import h5py as h5 import numpy as np import torch import torchvision.datasets as dset import torchvision.transforms as transforms from torchvision.utils import save_image import torchvision.transforms as transforms from torch.utils.data import DataLoader import utils def prepare_parser(): usage = 'Parser for ImageNet HDF5 scripts.' parser = ArgumentParser(description=usage) parser.add_argument( '--dataset', type=str, default='I128', help='Which Dataset to train on, out of I128, I256, C10, C100, C10_2019, C10_2020, C10_2021, C10_CV_2019, C10_CV_2020, C10_CV_2021;' 'Append "_hdf5" to use the hdf5 version for ISLVRC (default: %(default)s)') parser.add_argument( '--data_root', type=str, default='data', help='Default location where data is stored (default: %(default)s)') parser.add_argument( '--batch_size', type=int, default=256, help='Default overall batchsize (default: %(default)s)') parser.add_argument( '--num_workers', type=int, default=16, help='Number of dataloader workers (default: %(default)s)') parser.add_argument( '--chunk_size', type=int, default=500, help='Default overall batchsize (default: %(default)s)') parser.add_argument( '--compression', action='store_true', default=False, help='Use LZF compression? (default: %(default)s)') return parser def run(config): if 'hdf5' in config['dataset']: raise ValueError('Reading from an HDF5 file which you will probably be ' 'about to overwrite! Override this error only if you know ' 'what you''re doing!') # Get image size config['image_size'] = utils.imsize_dict[config['dataset']] # Update compression entry config['compression'] = 'lzf' if config['compression'] else None #No compression; can also use 'lzf' # Get dataset kwargs = {'num_workers': config['num_workers'], 'pin_memory': False, 'drop_last': False} train_loader = utils.get_data_loaders(dataset=config['dataset'], batch_size=config['batch_size'], shuffle=False, data_root=config['data_root'], use_multiepoch_sampler=False, **kwargs)[0] # HDF5 supports chunking and compression. You may want to experiment # with different chunk sizes to see how it runs on your machines. # Chunk Size/compression Read speed @ 256x256 Read speed @ 128x128 Filesize @ 128x128 Time to write @128x128 # 1 / None 20/s # 500 / None ramps up to 77/s 102/s 61GB 23min # 500 / LZF 8/s 56GB 23min # 1000 / None 78/s # 5000 / None 81/s # auto:(125,1,16,32) / None 11/s 61GB print('Starting to load %s into an HDF5 file with chunk size %i and compression %s...' % (config['dataset'], config['chunk_size'], config['compression'])) # Loop over train loader for i,(x,y) in enumerate(tqdm(train_loader)): # Stick X into the range [0, 255] since it's coming from the train loader x = (255 * ((x + 1) / 2.0)).byte().numpy() # Numpyify y y = y.numpy() # If we're on the first batch, prepare the hdf5 if config['dataset'][0] == "I": #for ImageNet if i==0: with h5.File(config['data_root'] + '/ILSVRC%i.hdf5' % config['image_size'], 'w') as f: print('Producing dataset of len %d' % len(train_loader.dataset)) imgs_dset = f.create_dataset('imgs', x.shape,dtype='uint8', maxshape=(len(train_loader.dataset), 3, config['image_size'], config['image_size']), chunks=(config['chunk_size'], 3, config['image_size'], config['image_size']), compression=config['compression']) print('Image chunks chosen as ' + str(imgs_dset.chunks)) imgs_dset[...] = x labels_dset = f.create_dataset('labels', y.shape, dtype='int64', maxshape=(len(train_loader.dataset),), chunks=(config['chunk_size'],), compression=config['compression']) print('Label chunks chosen as ' + str(labels_dset.chunks)) labels_dset[...] = y # Else append to the hdf5 else: with h5.File(config['data_root'] + '/ILSVRC%i.hdf5' % config['image_size'], 'a') as f: f['imgs'].resize(f['imgs'].shape[0] + x.shape[0], axis=0) f['imgs'][-x.shape[0]:] = x f['labels'].resize(f['labels'].shape[0] + y.shape[0], axis=0) f['labels'][-y.shape[0]:] = y else: #for CIFAR10 if i==0: with h5.File(config['data_root'] + '/' + config['dataset'] + '.hdf5', 'w') as f: print('Producing dataset of len %d' % len(train_loader.dataset)) imgs_dset = f.create_dataset('imgs', x.shape,dtype='uint8', maxshape=(len(train_loader.dataset), 3, config['image_size'], config['image_size']), chunks=(config['chunk_size'], 3, config['image_size'], config['image_size']), compression=config['compression']) print('Image chunks chosen as ' + str(imgs_dset.chunks)) imgs_dset[...] = x labels_dset = f.create_dataset('labels', y.shape, dtype='int64', maxshape=(len(train_loader.dataset),), chunks=(config['chunk_size'],), compression=config['compression']) print('Label chunks chosen as ' + str(labels_dset.chunks)) labels_dset[...] = y # Else append to the hdf5 else: with h5.File(config['data_root'] + '/' + config['dataset'] + '.hdf5', 'a') as f: f['imgs'].resize(f['imgs'].shape[0] + x.shape[0], axis=0) f['imgs'][-x.shape[0]:] = x f['labels'].resize(f['labels'].shape[0] + y.shape[0], axis=0) f['labels'][-y.shape[0]:] = y def main(): # parse command line and run parser = prepare_parser() config = vars(parser.parse_args()) print(config) run(config) if __name__ == '__main__': main()
6,407
47.545455
182
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/losses.py
import torch import torch.nn.functional as F # DCGAN loss def loss_dcgan_dis(dis_fake, dis_real): L1 = torch.mean(F.softplus(-dis_real)) L2 = torch.mean(F.softplus(dis_fake)) return L1, L2 def loss_dcgan_gen(dis_fake): loss = torch.mean(F.softplus(-dis_fake)) return loss # Hinge Loss def loss_hinge_dis(dis_fake, dis_real): loss_real = torch.mean(F.relu(1. - dis_real)) loss_fake = torch.mean(F.relu(1. + dis_fake)) return loss_real, loss_fake # def loss_hinge_dis(dis_fake, dis_real): # This version returns a single loss # loss = torch.mean(F.relu(1. - dis_real)) # loss += torch.mean(F.relu(1. + dis_fake)) # return loss def loss_hinge_gen(dis_fake): loss = -torch.mean(dis_fake) return loss # Default to hinge loss generator_loss = loss_hinge_gen discriminator_loss = loss_hinge_dis
821
23.909091
78
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/sample.py
''' Sample This script loads a pretrained net and a weightsfile and sample ''' wd = "/home/xin/OneDrive/Working_directory/GAN_DA_Subsampling/CIFAR10/BigGAN" import os os.chdir(wd) import functools import math import numpy as np from tqdm import tqdm, trange import torch import torch.nn as nn from torch.nn import init import torch.optim as optim import torch.nn.functional as F from torch.nn import Parameter as P import torchvision # Import my stuff import inception_utils import utils import losses def run(config): # Prepare state dict, which holds things like epoch # and itr # state_dict = {'itr': 0, 'epoch': 0, 'save_num': 0, 'save_best_num': 0, 'best_IS': 0, 'best_FID': 999999, 'config': config} # Optionally, get the configuration from the state dict. This allows for # recovery of the config provided only a state dict and experiment name, # and can be convenient for writing less verbose sample shell scripts. if config['config_from_name']: utils.load_weights(None, None, state_dict, config['weights_root'], config['experiment_name'], config['load_weights'], None, strict=False, load_optim=False) # Ignore items which we might want to overwrite from the command line for item in state_dict['config']: if item not in ['z_var', 'base_root', 'batch_size', 'G_batch_size', 'use_ema', 'G_eval_mode']: config[item] = state_dict['config'][item] # update config (see train.py for explanation) config['resolution'] = utils.imsize_dict[config['dataset']] config['n_classes'] = utils.nclass_dict[config['dataset']] config['G_activation'] = utils.activation_dict[config['G_nl']] config['D_activation'] = utils.activation_dict[config['D_nl']] config = utils.update_config_roots(config) config['skip_init'] = True config['no_optim'] = True device = 'cuda' # Seed RNG utils.seed_rng(config['seed']) # Setup cudnn.benchmark for free speed torch.backends.cudnn.benchmark = True # Import the model--this line allows us to dynamically select different files. model = __import__(config['model']) experiment_name = (config['experiment_name'] if config['experiment_name'] else utils.name_from_config(config)) print('Experiment name is %s' % experiment_name) G = model.Generator(**config).cuda() utils.count_parameters(G) # Load weights print('Loading weights...') # Here is where we deal with the ema--load ema weights or load normal weights utils.load_weights(G if not (config['use_ema']) else None, None, state_dict, config['weights_root'], experiment_name, config['load_weights'], G if config['ema'] and config['use_ema'] else None, strict=False, load_optim=False) # Update batch size setting used for G G_batch_size = max(config['G_batch_size'], config['batch_size']) z_, y_ = utils.prepare_z_y(G_batch_size, G.dim_z, config['n_classes'], device=device, fp16=config['G_fp16'], z_var=config['z_var']) if config['G_eval_mode']: print('Putting G in eval mode..') G.eval() else: print('G is in %s mode...' % ('training' if G.training else 'eval')) #Sample function sample = functools.partial(utils.sample, G=G, z_=z_, y_=y_, config=config) if config['accumulate_stats']: print('Accumulating standing stats across %d accumulations...' % config['num_standing_accumulations']) utils.accumulate_standing_stats(G, z_, y_, config['n_classes'], config['num_standing_accumulations']) # Sample a number of images and save them to an NPZ, for use with TF-Inception if config['sample_npz']: # Lists to hold images and labels for images x, y = [], [] print('Sampling %d images and saving them to npz...' % config['sample_num_npz']) for i in trange(int(np.ceil(config['sample_num_npz'] / float(G_batch_size)))): with torch.no_grad(): images, labels = sample() x += [np.uint8(255 * (images.cpu().numpy() + 1) / 2.)] y += [labels.cpu().numpy()] x = np.concatenate(x, 0)[:config['sample_num_npz']] y = np.concatenate(y, 0)[:config['sample_num_npz']] print('Images shape: %s, Labels shape: %s' % (x.shape, y.shape)) npz_filename = '%s/%s/samples.npz' % (config['samples_root'], experiment_name) print('Saving npz to %s...' % npz_filename) np.savez(npz_filename, **{'x' : x, 'y' : y}) # Prepare sample sheets if config['sample_sheets']: print('Preparing conditional sample sheets...') utils.sample_sheet(G, classes_per_sheet=utils.classes_per_sheet_dict[config['dataset']], num_classes=config['n_classes'], samples_per_class=10, parallel=config['parallel'], samples_root=config['samples_root'], experiment_name=experiment_name, folder_number=config['sample_sheet_folder_num'], z_=z_,) # Sample interp sheets if config['sample_interps']: print('Preparing interp sheets...') for fix_z, fix_y in zip([False, False, True], [False, True, False]): utils.interp_sheet(G, num_per_sheet=16, num_midpoints=8, num_classes=config['n_classes'], parallel=config['parallel'], samples_root=config['samples_root'], experiment_name=experiment_name, folder_number=config['sample_sheet_folder_num'], sheet_number=0, fix_z=fix_z, fix_y=fix_y, device='cuda') # Sample random sheet if config['sample_random']: print('Preparing random sample sheet...') images, labels = sample() torchvision.utils.save_image(images.float(), '%s/%s/random_samples.jpg' % (config['samples_root'], experiment_name), nrow=int(G_batch_size**0.5), normalize=True) # Get Inception Score and FID get_inception_metrics = inception_utils.prepare_inception_metrics(config['dataset'], config['parallel'], config['no_fid']) # Prepare a simple function get metrics that we use for trunc curves def get_metrics(): sample = functools.partial(utils.sample, G=G, z_=z_, y_=y_, config=config) IS_mean, IS_std, FID = get_inception_metrics(sample, config['num_inception_images'], num_splits=10, prints=False) # Prepare output string outstring = 'Using %s weights ' % ('ema' if config['use_ema'] else 'non-ema') outstring += 'in %s mode, ' % ('eval' if config['G_eval_mode'] else 'training') outstring += 'with noise variance %3.3f, ' % z_.var outstring += 'over %d images, ' % config['num_inception_images'] if config['accumulate_stats'] or not config['G_eval_mode']: outstring += 'with batch size %d, ' % G_batch_size if config['accumulate_stats']: outstring += 'using %d standing stat accumulations, ' % config['num_standing_accumulations'] outstring += 'Itr %d: PYTORCH UNOFFICIAL Inception Score is %3.3f +/- %3.3f, PYTORCH UNOFFICIAL FID is %5.4f' % (state_dict['itr'], IS_mean, IS_std, FID) print(outstring) if config['sample_inception_metrics']: print('Calculating Inception metrics...') get_metrics() # Sample truncation curve stuff. This is basically the same as the inception metrics code if config['sample_trunc_curves']: start, step, end = [float(item) for item in config['sample_trunc_curves'].split('_')] print('Getting truncation values for variance in range (%3.3f:%3.3f:%3.3f)...' % (start, step, end)) for var in np.arange(start, end + step, step): z_.var = var # Optionally comment this out if you want to run with standing stats # accumulated at one z variance setting if config['accumulate_stats']: utils.accumulate_standing_stats(G, z_, y_, config['n_classes'], config['num_standing_accumulations']) get_metrics() def main(): # parse command line and run parser = utils.prepare_parser() parser = utils.add_sample_parser(parser) config = vars(parser.parse_args()) print(config) run(config) if __name__ == '__main__': main()
8,362
43.248677
157
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/BigGANdeep.py
import numpy as np import math import functools import torch import torch.nn as nn from torch.nn import init import torch.optim as optim import torch.nn.functional as F from torch.nn import Parameter as P import layers from sync_batchnorm import SynchronizedBatchNorm2d as SyncBatchNorm2d # BigGAN-deep: uses a different resblock and pattern # Architectures for G # Attention is passed in in the format '32_64' to mean applying an attention # block at both resolution 32x32 and 64x64. Just '64' will apply at 64x64. # Channel ratio is the ratio of class GBlock(nn.Module): def __init__(self, in_channels, out_channels, which_conv=nn.Conv2d, which_bn=layers.bn, activation=None, upsample=None, channel_ratio=4): super(GBlock, self).__init__() self.in_channels, self.out_channels = in_channels, out_channels self.hidden_channels = self.in_channels // channel_ratio self.which_conv, self.which_bn = which_conv, which_bn self.activation = activation # Conv layers self.conv1 = self.which_conv(self.in_channels, self.hidden_channels, kernel_size=1, padding=0) self.conv2 = self.which_conv(self.hidden_channels, self.hidden_channels) self.conv3 = self.which_conv(self.hidden_channels, self.hidden_channels) self.conv4 = self.which_conv(self.hidden_channels, self.out_channels, kernel_size=1, padding=0) # Batchnorm layers self.bn1 = self.which_bn(self.in_channels) self.bn2 = self.which_bn(self.hidden_channels) self.bn3 = self.which_bn(self.hidden_channels) self.bn4 = self.which_bn(self.hidden_channels) # upsample layers self.upsample = upsample def forward(self, x, y): # Project down to channel ratio h = self.conv1(self.activation(self.bn1(x, y))) # Apply next BN-ReLU h = self.activation(self.bn2(h, y)) # Drop channels in x if necessary if self.in_channels != self.out_channels: x = x[:, :self.out_channels] # Upsample both h and x at this point if self.upsample: h = self.upsample(h) x = self.upsample(x) # 3x3 convs h = self.conv2(h) h = self.conv3(self.activation(self.bn3(h, y))) # Final 1x1 conv h = self.conv4(self.activation(self.bn4(h, y))) return h + x def G_arch(ch=64, attention='64', ksize='333333', dilation='111111'): arch = {} arch[256] = {'in_channels' : [ch * item for item in [16, 16, 8, 8, 4, 2]], 'out_channels' : [ch * item for item in [16, 8, 8, 4, 2, 1]], 'upsample' : [True] * 6, 'resolution' : [8, 16, 32, 64, 128, 256], 'attention' : {2**i: (2**i in [int(item) for item in attention.split('_')]) for i in range(3,9)}} arch[128] = {'in_channels' : [ch * item for item in [16, 16, 8, 4, 2]], 'out_channels' : [ch * item for item in [16, 8, 4, 2, 1]], 'upsample' : [True] * 5, 'resolution' : [8, 16, 32, 64, 128], 'attention' : {2**i: (2**i in [int(item) for item in attention.split('_')]) for i in range(3,8)}} arch[64] = {'in_channels' : [ch * item for item in [16, 16, 8, 4]], 'out_channels' : [ch * item for item in [16, 8, 4, 2]], 'upsample' : [True] * 4, 'resolution' : [8, 16, 32, 64], 'attention' : {2**i: (2**i in [int(item) for item in attention.split('_')]) for i in range(3,7)}} arch[32] = {'in_channels' : [ch * item for item in [4, 4, 4]], 'out_channels' : [ch * item for item in [4, 4, 4]], 'upsample' : [True] * 3, 'resolution' : [8, 16, 32], 'attention' : {2**i: (2**i in [int(item) for item in attention.split('_')]) for i in range(3,6)}} return arch class Generator(nn.Module): def __init__(self, G_ch=64, G_depth=2, dim_z=128, bottom_width=4, resolution=128, G_kernel_size=3, G_attn='64', n_classes=1000, num_G_SVs=1, num_G_SV_itrs=1, G_shared=True, shared_dim=0, hier=False, cross_replica=False, mybn=False, G_activation=nn.ReLU(inplace=False), G_lr=5e-5, G_B1=0.0, G_B2=0.999, adam_eps=1e-8, BN_eps=1e-5, SN_eps=1e-12, G_mixed_precision=False, G_fp16=False, G_init='ortho', skip_init=False, no_optim=False, G_param='SN', norm_style='bn', **kwargs): super(Generator, self).__init__() # Channel width mulitplier self.ch = G_ch # Number of resblocks per stage self.G_depth = G_depth # Dimensionality of the latent space self.dim_z = dim_z # The initial spatial dimensions self.bottom_width = bottom_width # Resolution of the output self.resolution = resolution # Kernel size? self.kernel_size = G_kernel_size # Attention? self.attention = G_attn # number of classes, for use in categorical conditional generation self.n_classes = n_classes # Use shared embeddings? self.G_shared = G_shared # Dimensionality of the shared embedding? Unused if not using G_shared self.shared_dim = shared_dim if shared_dim > 0 else dim_z # Hierarchical latent space? self.hier = hier # Cross replica batchnorm? self.cross_replica = cross_replica # Use my batchnorm? self.mybn = mybn # nonlinearity for residual blocks self.activation = G_activation # Initialization style self.init = G_init # Parameterization style self.G_param = G_param # Normalization style self.norm_style = norm_style # Epsilon for BatchNorm? self.BN_eps = BN_eps # Epsilon for Spectral Norm? self.SN_eps = SN_eps # fp16? self.fp16 = G_fp16 # Architecture dict self.arch = G_arch(self.ch, self.attention)[resolution] # Which convs, batchnorms, and linear layers to use if self.G_param == 'SN': self.which_conv = functools.partial(layers.SNConv2d, kernel_size=3, padding=1, num_svs=num_G_SVs, num_itrs=num_G_SV_itrs, eps=self.SN_eps) self.which_linear = functools.partial(layers.SNLinear, num_svs=num_G_SVs, num_itrs=num_G_SV_itrs, eps=self.SN_eps) else: self.which_conv = functools.partial(nn.Conv2d, kernel_size=3, padding=1) self.which_linear = nn.Linear # We use a non-spectral-normed embedding here regardless; # For some reason applying SN to G's embedding seems to randomly cripple G self.which_embedding = nn.Embedding bn_linear = (functools.partial(self.which_linear, bias=False) if self.G_shared else self.which_embedding) self.which_bn = functools.partial(layers.ccbn, which_linear=bn_linear, cross_replica=self.cross_replica, mybn=self.mybn, input_size=(self.shared_dim + self.dim_z if self.G_shared else self.n_classes), norm_style=self.norm_style, eps=self.BN_eps) # Prepare model # If not using shared embeddings, self.shared is just a passthrough self.shared = (self.which_embedding(n_classes, self.shared_dim) if G_shared else layers.identity()) # First linear layer self.linear = self.which_linear(self.dim_z + self.shared_dim, self.arch['in_channels'][0] * (self.bottom_width **2)) # self.blocks is a doubly-nested list of modules, the outer loop intended # to be over blocks at a given resolution (resblocks and/or self-attention) # while the inner loop is over a given block self.blocks = [] for index in range(len(self.arch['out_channels'])): self.blocks += [[GBlock(in_channels=self.arch['in_channels'][index], out_channels=self.arch['in_channels'][index] if g_index==0 else self.arch['out_channels'][index], which_conv=self.which_conv, which_bn=self.which_bn, activation=self.activation, upsample=(functools.partial(F.interpolate, scale_factor=2) if self.arch['upsample'][index] and g_index == (self.G_depth-1) else None))] for g_index in range(self.G_depth)] # If attention on this block, attach it to the end if self.arch['attention'][self.arch['resolution'][index]]: print('Adding attention layer in G at resolution %d' % self.arch['resolution'][index]) self.blocks[-1] += [layers.Attention(self.arch['out_channels'][index], self.which_conv)] # Turn self.blocks into a ModuleList so that it's all properly registered. self.blocks = nn.ModuleList([nn.ModuleList(block) for block in self.blocks]) # output layer: batchnorm-relu-conv. # Consider using a non-spectral conv here self.output_layer = nn.Sequential(layers.bn(self.arch['out_channels'][-1], cross_replica=self.cross_replica, mybn=self.mybn), self.activation, self.which_conv(self.arch['out_channels'][-1], 3)) # Initialize weights. Optionally skip init for testing. if not skip_init: self.init_weights() # Set up optimizer # If this is an EMA copy, no need for an optim, so just return now if no_optim: return self.lr, self.B1, self.B2, self.adam_eps = G_lr, G_B1, G_B2, adam_eps if G_mixed_precision: print('Using fp16 adam in G...') import utils self.optim = utils.Adam16(params=self.parameters(), lr=self.lr, betas=(self.B1, self.B2), weight_decay=0, eps=self.adam_eps) else: self.optim = optim.Adam(params=self.parameters(), lr=self.lr, betas=(self.B1, self.B2), weight_decay=0, eps=self.adam_eps) # LR scheduling, left here for forward compatibility # self.lr_sched = {'itr' : 0}# if self.progressive else {} # self.j = 0 # Initialize def init_weights(self): self.param_count = 0 for module in self.modules(): if (isinstance(module, nn.Conv2d) or isinstance(module, nn.Linear) or isinstance(module, nn.Embedding)): if self.init == 'ortho': init.orthogonal_(module.weight) elif self.init == 'N02': init.normal_(module.weight, 0, 0.02) elif self.init in ['glorot', 'xavier']: init.xavier_uniform_(module.weight) else: print('Init style not recognized...') self.param_count += sum([p.data.nelement() for p in module.parameters()]) print('Param count for G''s initialized parameters: %d' % self.param_count) # Note on this forward function: we pass in a y vector which has # already been passed through G.shared to enable easy class-wise # interpolation later. If we passed in the one-hot and then ran it through # G.shared in this forward function, it would be harder to handle. # NOTE: The z vs y dichotomy here is for compatibility with not-y def forward(self, z, y): # If hierarchical, concatenate zs and ys if self.hier: z = torch.cat([y, z], 1) y = z # First linear layer h = self.linear(z) # Reshape h = h.view(h.size(0), -1, self.bottom_width, self.bottom_width) # Loop over blocks for index, blocklist in enumerate(self.blocks): # Second inner loop in case block has multiple layers for block in blocklist: h = block(h, y) # Apply batchnorm-relu-conv-tanh at output return torch.tanh(self.output_layer(h)) class DBlock(nn.Module): def __init__(self, in_channels, out_channels, which_conv=layers.SNConv2d, wide=True, preactivation=True, activation=None, downsample=None, channel_ratio=4): super(DBlock, self).__init__() self.in_channels, self.out_channels = in_channels, out_channels # If using wide D (as in SA-GAN and BigGAN), change the channel pattern self.hidden_channels = self.out_channels // channel_ratio self.which_conv = which_conv self.preactivation = preactivation self.activation = activation self.downsample = downsample # Conv layers self.conv1 = self.which_conv(self.in_channels, self.hidden_channels, kernel_size=1, padding=0) self.conv2 = self.which_conv(self.hidden_channels, self.hidden_channels) self.conv3 = self.which_conv(self.hidden_channels, self.hidden_channels) self.conv4 = self.which_conv(self.hidden_channels, self.out_channels, kernel_size=1, padding=0) self.learnable_sc = True if (in_channels != out_channels) else False if self.learnable_sc: self.conv_sc = self.which_conv(in_channels, out_channels - in_channels, kernel_size=1, padding=0) def shortcut(self, x): if self.downsample: x = self.downsample(x) if self.learnable_sc: x = torch.cat([x, self.conv_sc(x)], 1) return x def forward(self, x): # 1x1 bottleneck conv h = self.conv1(F.relu(x)) # 3x3 convs h = self.conv2(self.activation(h)) h = self.conv3(self.activation(h)) # relu before downsample h = self.activation(h) # downsample if self.downsample: h = self.downsample(h) # final 1x1 conv h = self.conv4(h) return h + self.shortcut(x) # Discriminator architecture, same paradigm as G's above def D_arch(ch=64, attention='64',ksize='333333', dilation='111111'): arch = {} arch[256] = {'in_channels' : [item * ch for item in [1, 2, 4, 8, 8, 16]], 'out_channels' : [item * ch for item in [2, 4, 8, 8, 16, 16]], 'downsample' : [True] * 6 + [False], 'resolution' : [128, 64, 32, 16, 8, 4, 4 ], 'attention' : {2**i: 2**i in [int(item) for item in attention.split('_')] for i in range(2,8)}} arch[128] = {'in_channels' : [item * ch for item in [1, 2, 4, 8, 16]], 'out_channels' : [item * ch for item in [2, 4, 8, 16, 16]], 'downsample' : [True] * 5 + [False], 'resolution' : [64, 32, 16, 8, 4, 4], 'attention' : {2**i: 2**i in [int(item) for item in attention.split('_')] for i in range(2,8)}} arch[64] = {'in_channels' : [item * ch for item in [1, 2, 4, 8]], 'out_channels' : [item * ch for item in [2, 4, 8, 16]], 'downsample' : [True] * 4 + [False], 'resolution' : [32, 16, 8, 4, 4], 'attention' : {2**i: 2**i in [int(item) for item in attention.split('_')] for i in range(2,7)}} arch[32] = {'in_channels' : [item * ch for item in [4, 4, 4]], 'out_channels' : [item * ch for item in [4, 4, 4]], 'downsample' : [True, True, False, False], 'resolution' : [16, 16, 16, 16], 'attention' : {2**i: 2**i in [int(item) for item in attention.split('_')] for i in range(2,6)}} return arch class Discriminator(nn.Module): def __init__(self, D_ch=64, D_wide=True, D_depth=2, resolution=128, D_kernel_size=3, D_attn='64', n_classes=1000, num_D_SVs=1, num_D_SV_itrs=1, D_activation=nn.ReLU(inplace=False), D_lr=2e-4, D_B1=0.0, D_B2=0.999, adam_eps=1e-8, SN_eps=1e-12, output_dim=1, D_mixed_precision=False, D_fp16=False, D_init='ortho', skip_init=False, D_param='SN', **kwargs): super(Discriminator, self).__init__() # Width multiplier self.ch = D_ch # Use Wide D as in BigGAN and SA-GAN or skinny D as in SN-GAN? self.D_wide = D_wide # How many resblocks per stage? self.D_depth = D_depth # Resolution self.resolution = resolution # Kernel size self.kernel_size = D_kernel_size # Attention? self.attention = D_attn # Number of classes self.n_classes = n_classes # Activation self.activation = D_activation # Initialization style self.init = D_init # Parameterization style self.D_param = D_param # Epsilon for Spectral Norm? self.SN_eps = SN_eps # Fp16? self.fp16 = D_fp16 # Architecture self.arch = D_arch(self.ch, self.attention)[resolution] # Which convs, batchnorms, and linear layers to use # No option to turn off SN in D right now if self.D_param == 'SN': self.which_conv = functools.partial(layers.SNConv2d, kernel_size=3, padding=1, num_svs=num_D_SVs, num_itrs=num_D_SV_itrs, eps=self.SN_eps) self.which_linear = functools.partial(layers.SNLinear, num_svs=num_D_SVs, num_itrs=num_D_SV_itrs, eps=self.SN_eps) self.which_embedding = functools.partial(layers.SNEmbedding, num_svs=num_D_SVs, num_itrs=num_D_SV_itrs, eps=self.SN_eps) # Prepare model # Stem convolution self.input_conv = self.which_conv(3, self.arch['in_channels'][0]) # self.blocks is a doubly-nested list of modules, the outer loop intended # to be over blocks at a given resolution (resblocks and/or self-attention) self.blocks = [] for index in range(len(self.arch['out_channels'])): self.blocks += [[DBlock(in_channels=self.arch['in_channels'][index] if d_index==0 else self.arch['out_channels'][index], out_channels=self.arch['out_channels'][index], which_conv=self.which_conv, wide=self.D_wide, activation=self.activation, preactivation=True, downsample=(nn.AvgPool2d(2) if self.arch['downsample'][index] and d_index==0 else None)) for d_index in range(self.D_depth)]] # If attention on this block, attach it to the end if self.arch['attention'][self.arch['resolution'][index]]: print('Adding attention layer in D at resolution %d' % self.arch['resolution'][index]) self.blocks[-1] += [layers.Attention(self.arch['out_channels'][index], self.which_conv)] # Turn self.blocks into a ModuleList so that it's all properly registered. self.blocks = nn.ModuleList([nn.ModuleList(block) for block in self.blocks]) # Linear output layer. The output dimension is typically 1, but may be # larger if we're e.g. turning this into a VAE with an inference output self.linear = self.which_linear(self.arch['out_channels'][-1], output_dim) # Embedding for projection discrimination self.embed = self.which_embedding(self.n_classes, self.arch['out_channels'][-1]) # Initialize weights if not skip_init: self.init_weights() # Set up optimizer self.lr, self.B1, self.B2, self.adam_eps = D_lr, D_B1, D_B2, adam_eps if D_mixed_precision: print('Using fp16 adam in D...') import utils self.optim = utils.Adam16(params=self.parameters(), lr=self.lr, betas=(self.B1, self.B2), weight_decay=0, eps=self.adam_eps) else: self.optim = optim.Adam(params=self.parameters(), lr=self.lr, betas=(self.B1, self.B2), weight_decay=0, eps=self.adam_eps) # LR scheduling, left here for forward compatibility # self.lr_sched = {'itr' : 0}# if self.progressive else {} # self.j = 0 # Initialize def init_weights(self): self.param_count = 0 for module in self.modules(): if (isinstance(module, nn.Conv2d) or isinstance(module, nn.Linear) or isinstance(module, nn.Embedding)): if self.init == 'ortho': init.orthogonal_(module.weight) elif self.init == 'N02': init.normal_(module.weight, 0, 0.02) elif self.init in ['glorot', 'xavier']: init.xavier_uniform_(module.weight) else: print('Init style not recognized...') self.param_count += sum([p.data.nelement() for p in module.parameters()]) print('Param count for D''s initialized parameters: %d' % self.param_count) def forward(self, x, y=None): # Run input conv h = self.input_conv(x) # Loop over blocks for index, blocklist in enumerate(self.blocks): for block in blocklist: h = block(h) # Apply global sum pooling as in SN-GAN h = torch.sum(self.activation(h), [2, 3]) # Get initial class-unconditional output out = self.linear(h) # Get projection of final featureset onto class vectors and add to evidence out = out + torch.sum(self.embed(y) * h, 1, keepdim=True) return out # Parallelized G_D to minimize cross-gpu communication # Without this, Generator outputs would get all-gathered and then rebroadcast. class G_D(nn.Module): def __init__(self, G, D): super(G_D, self).__init__() self.G = G self.D = D def forward(self, z, gy, x=None, dy=None, train_G=False, return_G_z=False, split_D=False): # If training G, enable grad tape with torch.set_grad_enabled(train_G): # Get Generator output given noise G_z = self.G(z, self.G.shared(gy)) # Cast as necessary if self.G.fp16 and not self.D.fp16: G_z = G_z.float() if self.D.fp16 and not self.G.fp16: G_z = G_z.half() # Split_D means to run D once with real data and once with fake, # rather than concatenating along the batch dimension. if split_D: D_fake = self.D(G_z, gy) if x is not None: D_real = self.D(x, dy) return D_fake, D_real else: if return_G_z: return D_fake, G_z else: return D_fake # If real data is provided, concatenate it with the Generator's output # along the batch dimension for improved efficiency. else: D_input = torch.cat([G_z, x], 0) if x is not None else G_z D_class = torch.cat([gy, dy], 0) if dy is not None else gy # Get Discriminator output D_out = self.D(D_input, D_class) if x is not None: return torch.split(D_out, [G_z.shape[0], x.shape[0]]) # D_fake, D_real else: if return_G_z: return D_out, G_z else: return D_out
22,982
41.958879
126
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/train_fns.py
''' train_fns.py Functions for the main loop of training different conditional image models ''' import torch import torch.nn as nn import torchvision import os import utils import losses # Dummy training function for debugging def dummy_training_function(): def train(x, y): return {} return train def GAN_training_function(G, D, GD, z_, y_, ema, state_dict, config): def train(x, y): G.optim.zero_grad() D.optim.zero_grad() # How many chunks to split x and y into? x = torch.split(x, config['batch_size']) y = torch.split(y, config['batch_size']) counter = 0 # Optionally toggle D and G's "require_grad" if config['toggle_grads']: utils.toggle_grad(D, True) utils.toggle_grad(G, False) for step_index in range(config['num_D_steps']): # If accumulating gradients, loop multiple times before an optimizer step D.optim.zero_grad() for accumulation_index in range(config['num_D_accumulations']): z_.sample_() y_.sample_() D_fake, D_real = GD(z_[:config['batch_size']], y_[:config['batch_size']], x[counter], y[counter], train_G=False, split_D=config['split_D']) # Compute components of D's loss, average them, and divide by # the number of gradient accumulations D_loss_real, D_loss_fake = losses.discriminator_loss(D_fake, D_real) D_loss = (D_loss_real + D_loss_fake) / float(config['num_D_accumulations']) D_loss.backward() counter += 1 # Optionally apply ortho reg in D if config['D_ortho'] > 0.0: # Debug print to indicate we're using ortho reg in D. print('using modified ortho reg in D') utils.ortho(D, config['D_ortho']) D.optim.step() # Optionally toggle "requires_grad" if config['toggle_grads']: utils.toggle_grad(D, False) utils.toggle_grad(G, True) # Zero G's gradients by default before training G, for safety G.optim.zero_grad() # If accumulating gradients, loop multiple times for accumulation_index in range(config['num_G_accumulations']): z_.sample_() y_.sample_() D_fake = GD(z_, y_, train_G=True, split_D=config['split_D']) G_loss = losses.generator_loss(D_fake) / float(config['num_G_accumulations']) G_loss.backward() # Optionally apply modified ortho reg in G if config['G_ortho'] > 0.0: print('using modified ortho reg in G') # Debug print to indicate we're using ortho reg in G # Don't ortho reg shared, it makes no sense. Really we should blacklist any embeddings for this utils.ortho(G, config['G_ortho'], blacklist=[param for param in G.shared.parameters()]) G.optim.step() # If we have an ema, update it, regardless of if we test with it or not if config['ema']: ema.update(state_dict['itr']) out = {'G_loss': float(G_loss.item()), 'D_loss_real': float(D_loss_real.item()), 'D_loss_fake': float(D_loss_fake.item())} # Return G's loss and the components of D's loss. return out return train ''' This function takes in the model, saves the weights (multiple copies if requested), and prepares sample sheets: one consisting of samples given a fixed noise seed (to show how the model evolves throughout training), a set of full conditional sample sheets, and a set of interp sheets. ''' def save_and_sample(G, D, G_ema, z_, y_, fixed_z, fixed_y, state_dict, config, experiment_name): utils.save_weights(G, D, state_dict, config['weights_root'], experiment_name, None, G_ema if config['ema'] else None) # Save an additional copy to mitigate accidental corruption if process # is killed during a save (it's happened to me before -.-) if config['num_save_copies'] > 0: utils.save_weights(G, D, state_dict, config['weights_root'], experiment_name, 'copy%d' % state_dict['save_num'], G_ema if config['ema'] else None) state_dict['save_num'] = (state_dict['save_num'] + 1 ) % config['num_save_copies'] # Use EMA G for samples or non-EMA? which_G = G_ema if config['ema'] and config['use_ema'] else G # Accumulate standing statistics? if config['accumulate_stats']: utils.accumulate_standing_stats(G_ema if config['ema'] and config['use_ema'] else G, z_, y_, config['n_classes'], config['num_standing_accumulations']) # Save a random sample sheet with fixed z and y with torch.no_grad(): if config['parallel']: fixed_Gz = nn.parallel.data_parallel(which_G, (fixed_z, which_G.shared(fixed_y))) else: fixed_Gz = which_G(fixed_z, which_G.shared(fixed_y)) if not os.path.isdir('%s/%s' % (config['samples_root'], experiment_name)): os.mkdir('%s/%s' % (config['samples_root'], experiment_name)) image_filename = '%s/%s/fixed_samples%d.jpg' % (config['samples_root'], experiment_name, state_dict['itr']) torchvision.utils.save_image(fixed_Gz.float().cpu(), image_filename, nrow=int(fixed_Gz.shape[0] **0.5), normalize=True) # For now, every time we save, also save sample sheets utils.sample_sheet(which_G, classes_per_sheet=utils.classes_per_sheet_dict[config['dataset']], num_classes=config['n_classes'], samples_per_class=10, parallel=config['parallel'], samples_root=config['samples_root'], experiment_name=experiment_name, folder_number=state_dict['itr'], z_=z_) # Also save interp sheets for fix_z, fix_y in zip([False, False, True], [False, True, False]): utils.interp_sheet(which_G, num_per_sheet=16, num_midpoints=8, num_classes=config['n_classes'], parallel=config['parallel'], samples_root=config['samples_root'], experiment_name=experiment_name, folder_number=state_dict['itr'], sheet_number=0, fix_z=fix_z, fix_y=fix_y, device='cuda') ''' This function runs the inception metrics code, checks if the results are an improvement over the previous best (either in IS or FID, user-specified), logs the results, and saves a best_ copy if it's an improvement. ''' def test(G, D, G_ema, z_, y_, state_dict, config, sample, get_inception_metrics, experiment_name, test_log): print('Gathering inception metrics...') if config['accumulate_stats']: utils.accumulate_standing_stats(G_ema if config['ema'] and config['use_ema'] else G, z_, y_, config['n_classes'], config['num_standing_accumulations']) IS_mean, IS_std, FID = get_inception_metrics(sample, config['num_inception_images'], num_splits=10) print('Itr %d: PYTORCH UNOFFICIAL Inception Score is %3.3f +/- %3.3f, PYTORCH UNOFFICIAL FID is %5.4f' % (state_dict['itr'], IS_mean, IS_std, FID)) # If improved over previous best metric, save approrpiate copy if ((config['which_best'] == 'IS' and IS_mean > state_dict['best_IS']) or (config['which_best'] == 'FID' and FID < state_dict['best_FID'])): print('%s improved over previous best, saving checkpoint...' % config['which_best']) utils.save_weights(G, D, state_dict, config['weights_root'], experiment_name, 'best%d' % state_dict['save_best_num'], G_ema if config['ema'] else None) state_dict['save_best_num'] = (state_dict['save_best_num'] + 1 ) % config['num_best_copies'] state_dict['best_IS'] = max(state_dict['best_IS'], IS_mean) state_dict['best_FID'] = min(state_dict['best_FID'], FID) # Log results to file test_log.log(itr=int(state_dict['itr']), IS_mean=float(IS_mean), IS_std=float(IS_std), FID=float(FID))
8,275
43.735135
149
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/BigGAN.py
import numpy as np import math import functools import torch import torch.nn as nn from torch.nn import init import torch.optim as optim import torch.nn.functional as F from torch.nn import Parameter as P import layers from sync_batchnorm import SynchronizedBatchNorm2d as SyncBatchNorm2d from DiffAugment_pytorch import DiffAugment # Architectures for G # Attention is passed in in the format '32_64' to mean applying an attention # block at both resolution 32x32 and 64x64. Just '64' will apply at 64x64. def G_arch(ch=64, attention='64', ksize='333333', dilation='111111'): arch = {} arch[512] = {'in_channels' : [ch * item for item in [16, 16, 8, 8, 4, 2, 1]], 'out_channels' : [ch * item for item in [16, 8, 8, 4, 2, 1, 1]], 'upsample' : [True] * 7, 'resolution' : [8, 16, 32, 64, 128, 256, 512], 'attention' : {2**i: (2**i in [int(item) for item in attention.split('_')]) for i in range(3,10)}} arch[256] = {'in_channels' : [ch * item for item in [16, 16, 8, 8, 4, 2]], 'out_channels' : [ch * item for item in [16, 8, 8, 4, 2, 1]], 'upsample' : [True] * 6, 'resolution' : [8, 16, 32, 64, 128, 256], 'attention' : {2**i: (2**i in [int(item) for item in attention.split('_')]) for i in range(3,9)}} arch[128] = {'in_channels' : [ch * item for item in [16, 16, 8, 4, 2]], 'out_channels' : [ch * item for item in [16, 8, 4, 2, 1]], 'upsample' : [True] * 5, 'resolution' : [8, 16, 32, 64, 128], 'attention' : {2**i: (2**i in [int(item) for item in attention.split('_')]) for i in range(3,8)}} arch[64] = {'in_channels' : [ch * item for item in [16, 16, 8, 4]], 'out_channels' : [ch * item for item in [16, 8, 4, 2]], 'upsample' : [True] * 4, 'resolution' : [8, 16, 32, 64], 'attention' : {2**i: (2**i in [int(item) for item in attention.split('_')]) for i in range(3,7)}} arch[32] = {'in_channels' : [ch * item for item in [4, 4, 4]], 'out_channels' : [ch * item for item in [4, 4, 4]], 'upsample' : [True] * 3, 'resolution' : [8, 16, 32], 'attention' : {2**i: (2**i in [int(item) for item in attention.split('_')]) for i in range(3,6)}} return arch class Generator(nn.Module): def __init__(self, G_ch=64, dim_z=128, bottom_width=4, resolution=128, G_kernel_size=3, G_attn='64', n_classes=100, num_G_SVs=1, num_G_SV_itrs=1, G_shared=True, shared_dim=0, hier=False, cross_replica=False, mybn=False, G_activation=nn.ReLU(inplace=False), G_lr=5e-5, G_B1=0.0, G_B2=0.999, adam_eps=1e-8, BN_eps=1e-5, SN_eps=1e-12, G_mixed_precision=False, G_fp16=False, G_init='ortho', skip_init=False, no_optim=False, G_param='SN', norm_style='bn', **kwargs): super(Generator, self).__init__() # Channel width mulitplier self.ch = G_ch # Dimensionality of the latent space self.dim_z = dim_z # The initial spatial dimensions self.bottom_width = bottom_width # Resolution of the output self.resolution = resolution # Kernel size? self.kernel_size = G_kernel_size # Attention? self.attention = G_attn # number of classes, for use in categorical conditional generation self.n_classes = n_classes # Use shared embeddings? self.G_shared = G_shared # Dimensionality of the shared embedding? Unused if not using G_shared self.shared_dim = shared_dim if shared_dim > 0 else dim_z # Hierarchical latent space? self.hier = hier # Cross replica batchnorm? self.cross_replica = cross_replica # Use my batchnorm? self.mybn = mybn # nonlinearity for residual blocks self.activation = G_activation # Initialization style self.init = G_init # Parameterization style self.G_param = G_param # Normalization style self.norm_style = norm_style # Epsilon for BatchNorm? self.BN_eps = BN_eps # Epsilon for Spectral Norm? self.SN_eps = SN_eps # fp16? self.fp16 = G_fp16 # Architecture dict self.arch = G_arch(self.ch, self.attention)[resolution] # If using hierarchical latents, adjust z if self.hier: # Number of places z slots into self.num_slots = len(self.arch['in_channels']) + 1 self.z_chunk_size = (self.dim_z // self.num_slots) # Recalculate latent dimensionality for even splitting into chunks self.dim_z = self.z_chunk_size * self.num_slots else: self.num_slots = 1 self.z_chunk_size = 0 # Which convs, batchnorms, and linear layers to use if self.G_param == 'SN': self.which_conv = functools.partial(layers.SNConv2d, kernel_size=3, padding=1, num_svs=num_G_SVs, num_itrs=num_G_SV_itrs, eps=self.SN_eps) self.which_linear = functools.partial(layers.SNLinear, num_svs=num_G_SVs, num_itrs=num_G_SV_itrs, eps=self.SN_eps) else: self.which_conv = functools.partial(nn.Conv2d, kernel_size=3, padding=1) self.which_linear = nn.Linear # We use a non-spectral-normed embedding here regardless; # For some reason applying SN to G's embedding seems to randomly cripple G self.which_embedding = nn.Embedding bn_linear = (functools.partial(self.which_linear, bias=False) if self.G_shared else self.which_embedding) self.which_bn = functools.partial(layers.ccbn, which_linear=bn_linear, cross_replica=self.cross_replica, mybn=self.mybn, input_size=(self.shared_dim + self.z_chunk_size if self.G_shared else self.n_classes), norm_style=self.norm_style, eps=self.BN_eps) # Prepare model # If not using shared embeddings, self.shared is just a passthrough self.shared = (self.which_embedding(n_classes, self.shared_dim) if G_shared else layers.identity()) # First linear layer self.linear = self.which_linear(self.dim_z // self.num_slots, self.arch['in_channels'][0] * (self.bottom_width **2)) # self.blocks is a doubly-nested list of modules, the outer loop intended # to be over blocks at a given resolution (resblocks and/or self-attention) # while the inner loop is over a given block self.blocks = [] for index in range(len(self.arch['out_channels'])): self.blocks += [[layers.GBlock(in_channels=self.arch['in_channels'][index], out_channels=self.arch['out_channels'][index], which_conv=self.which_conv, which_bn=self.which_bn, activation=self.activation, upsample=(functools.partial(F.interpolate, scale_factor=2) if self.arch['upsample'][index] else None))]] # If attention on this block, attach it to the end if self.arch['attention'][self.arch['resolution'][index]]: print('Adding attention layer in G at resolution %d' % self.arch['resolution'][index]) self.blocks[-1] += [layers.Attention(self.arch['out_channels'][index], self.which_conv)] # Turn self.blocks into a ModuleList so that it's all properly registered. self.blocks = nn.ModuleList([nn.ModuleList(block) for block in self.blocks]) # output layer: batchnorm-relu-conv. # Consider using a non-spectral conv here self.output_layer = nn.Sequential(layers.bn(self.arch['out_channels'][-1], cross_replica=self.cross_replica, mybn=self.mybn), self.activation, self.which_conv(self.arch['out_channels'][-1], 3)) # Initialize weights. Optionally skip init for testing. if not skip_init: self.init_weights() # Set up optimizer # If this is an EMA copy, no need for an optim, so just return now if no_optim: return self.lr, self.B1, self.B2, self.adam_eps = G_lr, G_B1, G_B2, adam_eps if G_mixed_precision: print('Using fp16 adam in G...') import utils self.optim = utils.Adam16(params=self.parameters(), lr=self.lr, betas=(self.B1, self.B2), weight_decay=0, eps=self.adam_eps) else: self.optim = optim.Adam(params=self.parameters(), lr=self.lr, betas=(self.B1, self.B2), weight_decay=0, eps=self.adam_eps) # LR scheduling, left here for forward compatibility # self.lr_sched = {'itr' : 0}# if self.progressive else {} # self.j = 0 # Initialize def init_weights(self): self.param_count = 0 for module in self.modules(): if (isinstance(module, nn.Conv2d) or isinstance(module, nn.Linear) or isinstance(module, nn.Embedding)): if self.init == 'ortho': init.orthogonal_(module.weight) elif self.init == 'N02': init.normal_(module.weight, 0, 0.02) elif self.init in ['glorot', 'xavier']: init.xavier_uniform_(module.weight) else: print('Init style not recognized...') self.param_count += sum([p.data.nelement() for p in module.parameters()]) print('Param count for G''s initialized parameters: %d' % self.param_count) # Note on this forward function: we pass in a y vector which has # already been passed through G.shared to enable easy class-wise # interpolation later. If we passed in the one-hot and then ran it through # G.shared in this forward function, it would be harder to handle. def forward(self, z, y): # If hierarchical, concatenate zs and ys if self.hier: zs = torch.split(z, self.z_chunk_size, 1) z = zs[0] ys = [torch.cat([y, item], 1) for item in zs[1:]] else: ys = [y] * len(self.blocks) # First linear layer h = self.linear(z) # Reshape h = h.view(h.size(0), -1, self.bottom_width, self.bottom_width) # Loop over blocks for index, blocklist in enumerate(self.blocks): # Second inner loop in case block has multiple layers for block in blocklist: h = block(h, ys[index]) # Apply batchnorm-relu-conv-tanh at output return torch.tanh(self.output_layer(h)) # Discriminator architecture, same paradigm as G's above def D_arch(ch=64, attention='64',ksize='333333', dilation='111111'): arch = {} arch[256] = {'in_channels' : [3] + [ch*item for item in [1, 2, 4, 8, 8, 16]], 'out_channels' : [item * ch for item in [1, 2, 4, 8, 8, 16, 16]], 'downsample' : [True] * 6 + [False], 'resolution' : [128, 64, 32, 16, 8, 4, 4 ], 'attention' : {2**i: 2**i in [int(item) for item in attention.split('_')] for i in range(2,8)}} arch[128] = {'in_channels' : [3] + [ch*item for item in [1, 2, 4, 8, 16]], 'out_channels' : [item * ch for item in [1, 2, 4, 8, 16, 16]], 'downsample' : [True] * 5 + [False], 'resolution' : [64, 32, 16, 8, 4, 4], 'attention' : {2**i: 2**i in [int(item) for item in attention.split('_')] for i in range(2,8)}} arch[64] = {'in_channels' : [3] + [ch*item for item in [1, 2, 4, 8]], 'out_channels' : [item * ch for item in [1, 2, 4, 8, 16]], 'downsample' : [True] * 4 + [False], 'resolution' : [32, 16, 8, 4, 4], 'attention' : {2**i: 2**i in [int(item) for item in attention.split('_')] for i in range(2,7)}} arch[32] = {'in_channels' : [3] + [item * ch for item in [4, 4, 4]], 'out_channels' : [item * ch for item in [4, 4, 4, 4]], 'downsample' : [True, True, False, False], 'resolution' : [16, 16, 16, 16], 'attention' : {2**i: 2**i in [int(item) for item in attention.split('_')] for i in range(2,6)}} return arch class Discriminator(nn.Module): def __init__(self, D_ch=64, D_wide=True, resolution=128, D_kernel_size=3, D_attn='64', n_classes=100, num_D_SVs=1, num_D_SV_itrs=1, D_activation=nn.ReLU(inplace=False), D_lr=2e-4, D_B1=0.0, D_B2=0.999, adam_eps=1e-8, SN_eps=1e-12, output_dim=1, D_mixed_precision=False, D_fp16=False, D_init='ortho', skip_init=False, D_param='SN', **kwargs): super(Discriminator, self).__init__() # Width multiplier self.ch = D_ch # Use Wide D as in BigGAN and SA-GAN or skinny D as in SN-GAN? self.D_wide = D_wide # Resolution self.resolution = resolution # Kernel size self.kernel_size = D_kernel_size # Attention? self.attention = D_attn # Number of classes self.n_classes = n_classes # Activation self.activation = D_activation # Initialization style self.init = D_init # Parameterization style self.D_param = D_param # Epsilon for Spectral Norm? self.SN_eps = SN_eps # Fp16? self.fp16 = D_fp16 # Architecture self.arch = D_arch(self.ch, self.attention)[resolution] # Which convs, batchnorms, and linear layers to use # No option to turn off SN in D right now if self.D_param == 'SN': self.which_conv = functools.partial(layers.SNConv2d, kernel_size=3, padding=1, num_svs=num_D_SVs, num_itrs=num_D_SV_itrs, eps=self.SN_eps) self.which_linear = functools.partial(layers.SNLinear, num_svs=num_D_SVs, num_itrs=num_D_SV_itrs, eps=self.SN_eps) self.which_embedding = functools.partial(layers.SNEmbedding, num_svs=num_D_SVs, num_itrs=num_D_SV_itrs, eps=self.SN_eps) # Prepare model # self.blocks is a doubly-nested list of modules, the outer loop intended # to be over blocks at a given resolution (resblocks and/or self-attention) self.blocks = [] for index in range(len(self.arch['out_channels'])): self.blocks += [[layers.DBlock(in_channels=self.arch['in_channels'][index], out_channels=self.arch['out_channels'][index], which_conv=self.which_conv, wide=self.D_wide, activation=self.activation, preactivation=(index > 0), downsample=(nn.AvgPool2d(2) if self.arch['downsample'][index] else None))]] # If attention on this block, attach it to the end if self.arch['attention'][self.arch['resolution'][index]]: print('Adding attention layer in D at resolution %d' % self.arch['resolution'][index]) self.blocks[-1] += [layers.Attention(self.arch['out_channels'][index], self.which_conv)] # Turn self.blocks into a ModuleList so that it's all properly registered. self.blocks = nn.ModuleList([nn.ModuleList(block) for block in self.blocks]) # Linear output layer. The output dimension is typically 1, but may be # larger if we're e.g. turning this into a VAE with an inference output self.linear = self.which_linear(self.arch['out_channels'][-1], output_dim) # Embedding for projection discrimination self.embed = self.which_embedding(self.n_classes, self.arch['out_channels'][-1]) # Initialize weights if not skip_init: self.init_weights() # Set up optimizer self.lr, self.B1, self.B2, self.adam_eps = D_lr, D_B1, D_B2, adam_eps if D_mixed_precision: print('Using fp16 adam in D...') import utils self.optim = utils.Adam16(params=self.parameters(), lr=self.lr, betas=(self.B1, self.B2), weight_decay=0, eps=self.adam_eps) else: self.optim = optim.Adam(params=self.parameters(), lr=self.lr, betas=(self.B1, self.B2), weight_decay=0, eps=self.adam_eps) # LR scheduling, left here for forward compatibility # self.lr_sched = {'itr' : 0}# if self.progressive else {} # self.j = 0 # Initialize def init_weights(self): self.param_count = 0 for module in self.modules(): if (isinstance(module, nn.Conv2d) or isinstance(module, nn.Linear) or isinstance(module, nn.Embedding)): if self.init == 'ortho': init.orthogonal_(module.weight) elif self.init == 'N02': init.normal_(module.weight, 0, 0.02) elif self.init in ['glorot', 'xavier']: init.xavier_uniform_(module.weight) else: print('Init style not recognized...') self.param_count += sum([p.data.nelement() for p in module.parameters()]) print('Param count for D''s initialized parameters: %d' % self.param_count) def forward(self, x, y=None): # Stick x into h for cleaner for loops without flow control h = x # Loop over blocks for index, blocklist in enumerate(self.blocks): for block in blocklist: h = block(h) # Apply global sum pooling as in SN-GAN h = torch.sum(self.activation(h), [2, 3]) # Get initial class-unconditional output out = self.linear(h) # Get projection of final featureset onto class vectors and add to evidence out = out + torch.sum(self.embed(y) * h, 1, keepdim=True) return out # Parallelized G_D to minimize cross-gpu communication # Without this, Generator outputs would get all-gathered and then rebroadcast. class G_D(nn.Module): def __init__(self, G, D, DiffAugment_policy='color,translation,cutout'): super(G_D, self).__init__() self.G = G self.D = D self.DiffAugment_policy = DiffAugment_policy if self.DiffAugment_policy != 'None': print('\n Use DiffAugment in the BigGAN training...') def forward(self, z, gy, x=None, dy=None, train_G=False, return_G_z=False, split_D=False): # If training G, enable grad tape with torch.set_grad_enabled(train_G): # Get Generator output given noise G_z = self.G(z, self.G.shared(gy)) # Cast as necessary if self.G.fp16 and not self.D.fp16: G_z = G_z.float() if self.D.fp16 and not self.G.fp16: G_z = G_z.half() # Split_D means to run D once with real data and once with fake, # rather than concatenating along the batch dimension. if split_D: if self.DiffAugment_policy != "None": D_fake = self.D(DiffAugment(G_z, policy=self.DiffAugment_policy), gy) else: D_fake = self.D(G_z, gy) if x is not None: if self.DiffAugment_policy != "None": D_real = self.D(DiffAugment(x, policy=self.DiffAugment_policy), dy) else: D_real = self.D(x, dy) return D_fake, D_real else: if return_G_z: return D_fake, G_z else: return D_fake # If real data is provided, concatenate it with the Generator's output # along the batch dimension for improved efficiency. else: D_input = torch.cat([G_z, x], 0) if x is not None else G_z D_class = torch.cat([gy, dy], 0) if dy is not None else gy # Get Discriminator output if self.DiffAugment_policy != "None": D_input = DiffAugment(D_input, policy=self.DiffAugment_policy) D_out = self.D(D_input, D_class) if x is not None: return torch.split(D_out, [G_z.shape[0], x.shape[0]]) # D_fake, D_real else: if return_G_z: return D_out, G_z else: return D_out
20,324
42.709677
98
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/DiffAugment_pytorch.py
# Differentiable Augmentation for Data-Efficient GAN Training # Shengyu Zhao, Zhijian Liu, Ji Lin, Jun-Yan Zhu, and Song Han # https://arxiv.org/pdf/2006.10738 import torch import torch.nn.functional as F def DiffAugment(x, policy='', channels_first=True): if policy: if not channels_first: x = x.permute(0, 3, 1, 2) for p in policy.split(','): for f in AUGMENT_FNS[p]: x = f(x) if not channels_first: x = x.permute(0, 2, 3, 1) x = x.contiguous() return x def rand_brightness(x): x = x + (torch.rand(x.size(0), 1, 1, 1, dtype=x.dtype, device=x.device) - 0.5) return x def rand_saturation(x): x_mean = x.mean(dim=1, keepdim=True) x = (x - x_mean) * (torch.rand(x.size(0), 1, 1, 1, dtype=x.dtype, device=x.device) * 2) + x_mean return x def rand_contrast(x): x_mean = x.mean(dim=[1, 2, 3], keepdim=True) x = (x - x_mean) * (torch.rand(x.size(0), 1, 1, 1, dtype=x.dtype, device=x.device) + 0.5) + x_mean return x def rand_translation(x, ratio=0.125): shift_x, shift_y = int(x.size(2) * ratio + 0.5), int(x.size(3) * ratio + 0.5) translation_x = torch.randint(-shift_x, shift_x + 1, size=[x.size(0), 1, 1], device=x.device) translation_y = torch.randint(-shift_y, shift_y + 1, size=[x.size(0), 1, 1], device=x.device) grid_batch, grid_x, grid_y = torch.meshgrid( torch.arange(x.size(0), dtype=torch.long, device=x.device), torch.arange(x.size(2), dtype=torch.long, device=x.device), torch.arange(x.size(3), dtype=torch.long, device=x.device), ) grid_x = torch.clamp(grid_x + translation_x + 1, 0, x.size(2) + 1) grid_y = torch.clamp(grid_y + translation_y + 1, 0, x.size(3) + 1) x_pad = F.pad(x, [1, 1, 1, 1, 0, 0, 0, 0]) x = x_pad.permute(0, 2, 3, 1).contiguous()[grid_batch, grid_x, grid_y].permute(0, 3, 1, 2) return x def rand_cutout(x, ratio=0.5): cutout_size = int(x.size(2) * ratio + 0.5), int(x.size(3) * ratio + 0.5) offset_x = torch.randint(0, x.size(2) + (1 - cutout_size[0] % 2), size=[x.size(0), 1, 1], device=x.device) offset_y = torch.randint(0, x.size(3) + (1 - cutout_size[1] % 2), size=[x.size(0), 1, 1], device=x.device) grid_batch, grid_x, grid_y = torch.meshgrid( torch.arange(x.size(0), dtype=torch.long, device=x.device), torch.arange(cutout_size[0], dtype=torch.long, device=x.device), torch.arange(cutout_size[1], dtype=torch.long, device=x.device), ) grid_x = torch.clamp(grid_x + offset_x - cutout_size[0] // 2, min=0, max=x.size(2) - 1) grid_y = torch.clamp(grid_y + offset_y - cutout_size[1] // 2, min=0, max=x.size(3) - 1) mask = torch.ones(x.size(0), x.size(2), x.size(3), dtype=x.dtype, device=x.device) mask[grid_batch, grid_x, grid_y] = 0 x = x * mask.unsqueeze(1) return x AUGMENT_FNS = { 'color': [rand_brightness, rand_saturation, rand_contrast], 'translation': [rand_translation], 'cutout': [rand_cutout], }
3,025
38.298701
110
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/utils.py
#!/usr/bin/env python # -*- coding: utf-8 -*- ''' Utilities file This file contains utility functions for bookkeeping, logging, and data loading. Methods which directly affect training should either go in layers, the model, or train_fns.py. ''' from __future__ import print_function import sys import os import numpy as np import time import datetime import json import pickle from argparse import ArgumentParser import animal_hash import torch import torch.nn as nn import torch.nn.functional as F import torchvision import torchvision.transforms as transforms from torch.utils.data import DataLoader import datasets as dset def prepare_parser(): usage = 'Parser for all scripts.' parser = ArgumentParser(description=usage) ### root path ### parser.add_argument( '--root_path', type=str, default='' ) ### DiffAugment stuff ### parser.add_argument( '--DiffAugment_policy', type=str, default='None', help='If not None, use DiffAugment in the BigGAN training' ) ### Dataset/Dataloader stuff ### parser.add_argument( '--dataset', type=str, default='C100', help='Which Dataset to train on, out of I128, I256, C10, C100, C10_2022, C10_2020, C10_2021;' 'Append "_hdf5" to use the hdf5 version for ISLVRC ' '(default: %(default)s)') parser.add_argument( '--augment', action='store_true', default=False, help='Augment with random crops and flips (default: %(default)s)') parser.add_argument( '--num_workers', type=int, default=0, help='Number of dataloader workers; consider using less for HDF5 ' '(default: %(default)s)') parser.add_argument( '--no_pin_memory', action='store_false', dest='pin_memory', default=True, help='Pin data into memory through dataloader? (default: %(default)s)') parser.add_argument( '--shuffle', action='store_true', default=False, help='Shuffle the data (strongly recommended)? (default: %(default)s)') parser.add_argument( '--load_in_mem', action='store_true', default=False, help='Load all data into memory? (default: %(default)s)') parser.add_argument( '--use_multiepoch_sampler', action='store_true', default=False, help='Use the multi-epoch sampler for dataloader? (default: %(default)s)') ### Model stuff ### parser.add_argument( '--model', type=str, default='BigGAN', help='Name of the model module (default: %(default)s)') parser.add_argument( '--G_param', type=str, default='SN', help='Parameterization style to use for G, spectral norm (SN) or SVD (SVD)' ' or None (default: %(default)s)') parser.add_argument( '--D_param', type=str, default='SN', help='Parameterization style to use for D, spectral norm (SN) or SVD (SVD)' ' or None (default: %(default)s)') parser.add_argument( '--G_ch', type=int, default=64, help='Channel multiplier for G (default: %(default)s)') parser.add_argument( '--D_ch', type=int, default=64, help='Channel multiplier for D (default: %(default)s)') parser.add_argument( '--G_depth', type=int, default=1, help='Number of resblocks per stage in G? (default: %(default)s)') parser.add_argument( '--D_depth', type=int, default=1, help='Number of resblocks per stage in D? (default: %(default)s)') parser.add_argument( '--D_thin', action='store_false', dest='D_wide', default=True, help='Use the SN-GAN channel pattern for D? (default: %(default)s)') parser.add_argument( '--G_shared', action='store_true', default=False, help='Use shared embeddings in G? (default: %(default)s)') parser.add_argument( '--shared_dim', type=int, default=0, help='G''s shared embedding dimensionality; if 0, will be equal to dim_z. ' '(default: %(default)s)') parser.add_argument( '--dim_z', type=int, default=128, help='Noise dimensionality: %(default)s)') parser.add_argument( '--z_var', type=float, default=1.0, help='Noise variance: %(default)s)') parser.add_argument( '--hier', action='store_true', default=False, help='Use hierarchical z in G? (default: %(default)s)') parser.add_argument( '--cross_replica', action='store_true', default=False, help='Cross_replica batchnorm in G?(default: %(default)s)') parser.add_argument( '--mybn', action='store_true', default=False, help='Use my batchnorm (which supports standing stats?) %(default)s)') parser.add_argument( '--G_nl', type=str, default='relu', help='Activation function for G (default: %(default)s)') parser.add_argument( '--D_nl', type=str, default='relu', help='Activation function for D (default: %(default)s)') parser.add_argument( '--G_attn', type=str, default='64', help='What resolutions to use attention on for G (underscore separated) ' '(default: %(default)s)') parser.add_argument( '--D_attn', type=str, default='64', help='What resolutions to use attention on for D (underscore separated) ' '(default: %(default)s)') parser.add_argument( '--norm_style', type=str, default='bn', help='Normalizer style for G, one of bn [batchnorm], in [instancenorm], ' 'ln [layernorm], gn [groupnorm] (default: %(default)s)') ### Model init stuff ### parser.add_argument( '--seed', type=int, default=2021, help='Random seed to use; affects both initialization and ' ' dataloading. (default: %(default)s)') parser.add_argument( '--G_init', type=str, default='ortho', help='Init style to use for G (default: %(default)s)') parser.add_argument( '--D_init', type=str, default='ortho', help='Init style to use for D(default: %(default)s)') parser.add_argument( '--skip_init', action='store_true', default=False, help='Skip initialization, ideal for testing when ortho init was used ' '(default: %(default)s)') ### Optimizer stuff ### parser.add_argument( '--G_lr', type=float, default=5e-5, help='Learning rate to use for Generator (default: %(default)s)') parser.add_argument( '--D_lr', type=float, default=2e-4, help='Learning rate to use for Discriminator (default: %(default)s)') parser.add_argument( '--G_B1', type=float, default=0.0, help='Beta1 to use for Generator (default: %(default)s)') parser.add_argument( '--D_B1', type=float, default=0.0, help='Beta1 to use for Discriminator (default: %(default)s)') parser.add_argument( '--G_B2', type=float, default=0.999, help='Beta2 to use for Generator (default: %(default)s)') parser.add_argument( '--D_B2', type=float, default=0.999, help='Beta2 to use for Discriminator (default: %(default)s)') ### Batch size, parallel, and precision stuff ### parser.add_argument( '--batch_size', type=int, default=64, help='Default overall batchsize (default: %(default)s)') parser.add_argument( '--G_batch_size', type=int, default=0, help='Batch size to use for G; if 0, same as D (default: %(default)s)') parser.add_argument( '--num_G_accumulations', type=int, default=1, help='Number of passes to accumulate G''s gradients over ' '(default: %(default)s)') parser.add_argument( '--num_D_steps', type=int, default=2, help='Number of D steps per G step (default: %(default)s)') parser.add_argument( '--num_D_accumulations', type=int, default=1, help='Number of passes to accumulate D''s gradients over ' '(default: %(default)s)') parser.add_argument( '--split_D', action='store_true', default=False, help='Run D twice rather than concatenating inputs? (default: %(default)s)') parser.add_argument( '--num_epochs', type=int, default=100, help='Number of epochs to train for (default: %(default)s)') parser.add_argument( '--parallel', action='store_true', default=False, help='Train with multiple GPUs (default: %(default)s)') parser.add_argument( '--G_fp16', action='store_true', default=False, help='Train with half-precision in G? (default: %(default)s)') parser.add_argument( '--D_fp16', action='store_true', default=False, help='Train with half-precision in D? (default: %(default)s)') parser.add_argument( '--D_mixed_precision', action='store_true', default=False, help='Train with half-precision activations but fp32 params in D? ' '(default: %(default)s)') parser.add_argument( '--G_mixed_precision', action='store_true', default=False, help='Train with half-precision activations but fp32 params in G? ' '(default: %(default)s)') parser.add_argument( '--accumulate_stats', action='store_true', default=False, help='Accumulate "standing" batchnorm stats? (default: %(default)s)') parser.add_argument( '--num_standing_accumulations', type=int, default=16, help='Number of forward passes to use in accumulating standing stats? ' '(default: %(default)s)') ### Bookkeping stuff ### parser.add_argument( '--G_eval_mode', action='store_true', default=False, help='Run G in eval mode (running/standing stats?) at sample/test time? ' '(default: %(default)s)') parser.add_argument( '--save_every', type=int, default=2000, help='Save every X iterations (default: %(default)s)') parser.add_argument( '--num_save_copies', type=int, default=2, help='How many copies to save (default: %(default)s)') parser.add_argument( '--num_best_copies', type=int, default=2, help='How many previous best checkpoints to save (default: %(default)s)') parser.add_argument( '--which_best', type=str, default='IS', help='Which metric to use to determine when to save new "best"' 'checkpoints, one of IS or FID (default: %(default)s)') parser.add_argument( '--no_fid', action='store_true', default=False, help='Calculate IS only, not FID? (default: %(default)s)') parser.add_argument( '--test_every', type=int, default=5000, help='Test every X iterations (default: %(default)s)') parser.add_argument( '--num_inception_images', type=int, default=50000, help='Number of samples to compute inception metrics with ' '(default: %(default)s)') parser.add_argument( '--hashname', action='store_true', default=False, help='Use a hash of the experiment name instead of the full config ' '(default: %(default)s)') parser.add_argument( '--base_root', type=str, default='', help='Default location to store all weights, samples, data, and logs ' ' (default: %(default)s)') parser.add_argument( '--data_root', type=str, default='data', help='Default location where data is stored (default: %(default)s)') parser.add_argument( '--weights_root', type=str, default='weights', help='Default location to store weights (default: %(default)s)') parser.add_argument( '--logs_root', type=str, default='logs', help='Default location to store logs (default: %(default)s)') parser.add_argument( '--samples_root', type=str, default='samples', help='Default location to store samples (default: %(default)s)') parser.add_argument( '--pbar', type=str, default='mine', help='Type of progressbar to use; one of "mine" or "tqdm" ' '(default: %(default)s)') parser.add_argument( '--name_suffix', type=str, default='', help='Suffix for experiment name for loading weights for sampling ' '(consider "best0") (default: %(default)s)') parser.add_argument( '--experiment_name', type=str, default='', help='Optionally override the automatic experiment naming with this arg. ' '(default: %(default)s)') parser.add_argument( '--config_from_name', action='store_true', default=False, help='Use a hash of the experiment name instead of the full config ' '(default: %(default)s)') ### EMA Stuff ### parser.add_argument( '--ema', action='store_true', default=False, help='Keep an ema of G''s weights? (default: %(default)s)') parser.add_argument( '--ema_decay', type=float, default=0.9999, help='EMA decay rate (default: %(default)s)') parser.add_argument( '--use_ema', action='store_true', default=False, help='Use the EMA parameters of G for evaluation? (default: %(default)s)') parser.add_argument( '--ema_start', type=int, default=0, help='When to start updating the EMA weights (default: %(default)s)') ### Numerical precision and SV stuff ### parser.add_argument( '--adam_eps', type=float, default=1e-8, help='epsilon value to use for Adam (default: %(default)s)') parser.add_argument( '--BN_eps', type=float, default=1e-5, help='epsilon value to use for BatchNorm (default: %(default)s)') parser.add_argument( '--SN_eps', type=float, default=1e-8, help='epsilon value to use for Spectral Norm(default: %(default)s)') parser.add_argument( '--num_G_SVs', type=int, default=1, help='Number of SVs to track in G (default: %(default)s)') parser.add_argument( '--num_D_SVs', type=int, default=1, help='Number of SVs to track in D (default: %(default)s)') parser.add_argument( '--num_G_SV_itrs', type=int, default=1, help='Number of SV itrs in G (default: %(default)s)') parser.add_argument( '--num_D_SV_itrs', type=int, default=1, help='Number of SV itrs in D (default: %(default)s)') ### Ortho reg stuff ### parser.add_argument( '--G_ortho', type=float, default=0.0, # 1e-4 is default for BigGAN help='Modified ortho reg coefficient in G(default: %(default)s)') parser.add_argument( '--D_ortho', type=float, default=0.0, help='Modified ortho reg coefficient in D (default: %(default)s)') parser.add_argument( '--toggle_grads', action='store_true', default=True, help='Toggle D and G''s "requires_grad" settings when not training them? ' ' (default: %(default)s)') ### Which train function ### parser.add_argument( '--which_train_fn', type=str, default='GAN', help='How2trainyourbois (default: %(default)s)') ### Resume training stuff parser.add_argument( '--load_weights', type=str, default='', help='Suffix for which weights to load (e.g. best0, copy0) ' '(default: %(default)s)') parser.add_argument( '--resume', action='store_true', default=False, help='Resume training? (default: %(default)s)') ### Log stuff ### parser.add_argument( '--logstyle', type=str, default='%3.3e', help='What style to use when logging training metrics?' 'One of: %#.#f/ %#.#e (float/exp, text),' 'pickle (python pickle),' 'npz (numpy zip),' 'mat (MATLAB .mat file) (default: %(default)s)') parser.add_argument( '--log_G_spectra', action='store_true', default=False, help='Log the top 3 singular values in each SN layer in G? ' '(default: %(default)s)') parser.add_argument( '--log_D_spectra', action='store_true', default=False, help='Log the top 3 singular values in each SN layer in D? ' '(default: %(default)s)') parser.add_argument( '--sv_log_interval', type=int, default=10, help='Iteration interval for logging singular values ' ' (default: %(default)s)') return parser # Arguments for sample.py; not presently used in train.py def add_sample_parser(parser): parser.add_argument( '--sample_npz', action='store_true', default=False, help='Sample "sample_num_npz" images and save to npz? ' '(default: %(default)s)') parser.add_argument( '--sample_num_npz', type=int, default=50000, help='Number of images to sample when sampling NPZs ' '(default: %(default)s)') parser.add_argument( '--sample_sheets', action='store_true', default=False, help='Produce class-conditional sample sheets and stick them in ' 'the samples root? (default: %(default)s)') parser.add_argument( '--sample_interps', action='store_true', default=False, help='Produce interpolation sheets and stick them in ' 'the samples root? (default: %(default)s)') parser.add_argument( '--sample_sheet_folder_num', type=int, default=-1, help='Number to use for the folder for these sample sheets ' '(default: %(default)s)') parser.add_argument( '--sample_random', action='store_true', default=False, help='Produce a single random sheet? (default: %(default)s)') parser.add_argument( '--sample_trunc_curves', type=str, default='', help='Get inception metrics with a range of variances?' 'To use this, specify a startpoint, step, and endpoint, e.g. ' '--sample_trunc_curves 0.2_0.1_1.0 for a startpoint of 0.2, ' 'endpoint of 1.0, and stepsize of 1.0. Note that this is ' 'not exactly identical to using tf.truncated_normal, but should ' 'have approximately the same effect. (default: %(default)s)') parser.add_argument( '--sample_inception_metrics', action='store_true', default=False, help='Calculate Inception metrics with sample.py? (default: %(default)s)') return parser # Convenience dicts dset_dict = {'I32': dset.ImageFolder, 'I64': dset.ImageFolder, 'I128': dset.ImageFolder, 'I256': dset.ImageFolder, 'I32_hdf5': dset.ILSVRC_HDF5, 'I64_hdf5': dset.ILSVRC_HDF5, 'I128_hdf5': dset.ILSVRC_HDF5, 'I256_hdf5': dset.ILSVRC_HDF5, 'C10': dset.CIFAR10, 'C100': dset.CIFAR100, 'C10_hdf5': dset.CIFAR_HDF5, 'C100_hdf5': dset.CIFAR_HDF5, 'C10_2022_hdf5': dset.CIFAR_HDF5, 'C10_2020_hdf5': dset.CIFAR_HDF5, 'C10_2021_hdf5': dset.CIFAR_HDF5, 'C100_2022_hdf5': dset.CIFAR_HDF5, 'C100_2020_hdf5': dset.CIFAR_HDF5, 'C100_2021_hdf5': dset.CIFAR_HDF5} imsize_dict = {'I32': 32, 'I32_hdf5': 32, 'I64': 64, 'I64_hdf5': 64, 'I128': 128, 'I128_hdf5': 128, 'I256': 256, 'I256_hdf5': 256, 'C10': 32, 'C100': 32, 'C10_hdf5': 32, 'C100_hdf5': 32, 'C10_2022_hdf5': 32, 'C10_2020_hdf5': 32, 'C10_2021_hdf5': 32, 'C100_2022_hdf5': 32, 'C100_2020_hdf5': 32, 'C100_2021_hdf5': 32} root_dict = {'I32': 'ImageNet', 'I32_hdf5': 'ILSVRC32.hdf5', 'I64': 'ImageNet', 'I64_hdf5': 'ILSVRC64.hdf5', 'I128': 'ImageNet', 'I128_hdf5': 'ILSVRC128.hdf5', 'I256': 'ImageNet', 'I256_hdf5': 'ILSVRC256.hdf5', 'C10': 'cifar', 'C100': 'cifar', 'C10_hdf5': 'cifar', 'C100_hdf5': 'cifar', 'C10_2022_hdf5': 'C10_2022.hdf5', 'C10_2020_hdf5': 'C10_2020.hdf5', 'C10_2021_hdf5': 'C10_2021.hdf5', 'C100_2022_hdf5': 'C100_2022.hdf5', 'C100_2020_hdf5': 'C100_2020.hdf5', 'C100_2021_hdf5': 'C100_2021.hdf5'} nclass_dict = {'I32': 1000, 'I32_hdf5': 1000, 'I64': 1000, 'I64_hdf5': 1000, 'I128': 1000, 'I128_hdf5': 1000, 'I256': 1000, 'I256_hdf5': 1000, 'C10': 10, 'C100': 100, 'C10_hdf5': 10, 'C100_hdf5': 100, 'C10_2022_hdf5': 10, 'C10_2020_hdf5': 10, 'C10_2021_hdf5': 10, 'C100_2022_hdf5': 100, 'C100_2020_hdf5': 100, 'C100_2021_hdf5': 100} # Number of classes to put per sample sheet classes_per_sheet_dict = {'I32': 50, 'I32_hdf5': 50, 'I64': 50, 'I64_hdf5': 50, 'I128': 20, 'I128_hdf5': 20, 'I256': 20, 'I256_hdf5': 20, 'C10': 10, 'C100': 100, 'C10_hdf5': 10, 'C100_hdf5': 100, 'C10_2022_hdf5': 10, 'C10_2020_hdf5': 10, 'C10_2021_hdf5': 10, 'C100_2022_hdf5': 100, 'C100_2020_hdf5': 100, 'C100_2021_hdf5': 100} activation_dict = {'inplace_relu': nn.ReLU(inplace=True), 'relu': nn.ReLU(inplace=False), 'ir': nn.ReLU(inplace=True),} class CenterCropLongEdge(object): """Crops the given PIL Image on the long edge. Args: size (sequence or int): Desired output size of the crop. If size is an int instead of sequence like (h, w), a square crop (size, size) is made. """ def __call__(self, img): """ Args: img (PIL Image): Image to be cropped. Returns: PIL Image: Cropped image. """ return transforms.functional.center_crop(img, min(img.size)) def __repr__(self): return self.__class__.__name__ class RandomCropLongEdge(object): """Crops the given PIL Image on the long edge with a random start point. Args: size (sequence or int): Desired output size of the crop. If size is an int instead of sequence like (h, w), a square crop (size, size) is made. """ def __call__(self, img): """ Args: img (PIL Image): Image to be cropped. Returns: PIL Image: Cropped image. """ size = (min(img.size), min(img.size)) # Only step forward along this edge if it's the long edge i = (0 if size[0] == img.size[0] else np.random.randint(low=0,high=img.size[0] - size[0])) j = (0 if size[1] == img.size[1] else np.random.randint(low=0,high=img.size[1] - size[1])) return transforms.functional.crop(img, i, j, size[0], size[1]) def __repr__(self): return self.__class__.__name__ # multi-epoch Dataset sampler to avoid memory leakage and enable resumption of # training from the same sample regardless of if we stop mid-epoch class MultiEpochSampler(torch.utils.data.Sampler): r"""Samples elements randomly over multiple epochs Arguments: data_source (Dataset): dataset to sample from num_epochs (int) : Number of times to loop over the dataset start_itr (int) : which iteration to begin from """ def __init__(self, data_source, num_epochs, start_itr=0, batch_size=128): self.data_source = data_source self.num_samples = len(self.data_source) self.num_epochs = num_epochs self.start_itr = start_itr self.batch_size = batch_size if not isinstance(self.num_samples, int) or self.num_samples <= 0: raise ValueError("num_samples should be a positive integeral " "value, but got num_samples={}".format(self.num_samples)) def __iter__(self): n = len(self.data_source) # Determine number of epochs num_epochs = int(np.ceil((n * self.num_epochs - (self.start_itr * self.batch_size)) / float(n))) # Sample all the indices, and then grab the last num_epochs index sets; # This ensures if we're starting at epoch 4, we're still grabbing epoch 4's # indices out = [torch.randperm(n) for epoch in range(self.num_epochs)][-num_epochs:] # Ignore the first start_itr % n indices of the first epoch out[0] = out[0][(self.start_itr * self.batch_size % n):] # if self.replacement: # return iter(torch.randint(high=n, size=(self.num_samples,), dtype=torch.int64).tolist()) # return iter(.tolist()) output = torch.cat(out).tolist() print('Length dataset output is %d' % len(output)) return iter(output) def __len__(self): return len(self.data_source) * self.num_epochs - self.start_itr * self.batch_size # Convenience function to centralize all data loaders def get_data_loaders(dataset, data_root=None, augment=False, batch_size=64, num_workers=8, shuffle=True, load_in_mem=False, hdf5=False, pin_memory=True, drop_last=True, start_itr=0, num_epochs=500, use_multiepoch_sampler=False, **kwargs): # Append /FILENAME.hdf5 to root if using hdf5 data_root += '/%s' % root_dict[dataset] print('Using dataset root location %s' % data_root) which_dataset = dset_dict[dataset] norm_mean = [0.5,0.5,0.5] norm_std = [0.5,0.5,0.5] image_size = imsize_dict[dataset] # For image folder datasets, name of the file where we store the precomputed # image locations to avoid having to walk the dirs every time we load. dataset_kwargs = {'index_filename': '%s_imgs.npz' % dataset} ## HDF5 datasets have their own inbuilt transform, no need to train_transform # if 'hdf5' in dataset: # train_transform = None # else: # if augment: # print('Data will be augmented...') # if dataset in ['C10', 'C100', 'C10_2020_hdf5', 'C10_2021_hdf5', 'C10_2022_hdf5', 'C100_2020_hdf5', 'C100_2021_hdf5', 'C100_2022_hdf5']: # train_transform = [transforms.RandomCrop(32, padding=4), # transforms.RandomHorizontalFlip()] # else: # train_transform = [RandomCropLongEdge(), # transforms.Resize(image_size), # transforms.RandomHorizontalFlip()] # else: # print('Data will not be augmented...') # if dataset in ['C10', 'C100', 'C10_2020_hdf5', 'C10_2021_hdf5', 'C10_2022_hdf5', 'C100_2020_hdf5', 'C100_2021_hdf5', 'C100_2022_hdf5']: # train_transform = [] # else: # train_transform = [CenterCropLongEdge(), transforms.Resize(image_size)] # # train_transform = [transforms.Resize(image_size), transforms.CenterCrop] # train_transform = transforms.Compose(train_transform + [ # transforms.ToTensor(), # transforms.Normalize(norm_mean, norm_std)]) # train_set = which_dataset(root=data_root, transform=train_transform, # load_in_mem=load_in_mem, **dataset_kwargs) if augment: print('Data will be augmented...') if dataset in ['C10', 'C100', 'C10_2020_hdf5', 'C10_2021_hdf5', 'C10_2022_hdf5', 'C100_2020_hdf5', 'C100_2021_hdf5', 'C100_2022_hdf5']: # train_transform = [transforms.RandomCrop(32, padding=4), # transforms.RandomHorizontalFlip()] train_transform = [transforms.RandomHorizontalFlip()] else: train_transform = [RandomCropLongEdge(), transforms.Resize(image_size), transforms.RandomHorizontalFlip()] else: print('Data will not be augmented...') if dataset in ['C10', 'C100', 'C10_2020_hdf5', 'C10_2021_hdf5', 'C10_2022_hdf5', 'C100_2020_hdf5', 'C100_2021_hdf5', 'C100_2022_hdf5']: train_transform = [] else: train_transform = [CenterCropLongEdge(), transforms.Resize(image_size)] # train_transform = [transforms.Resize(image_size), transforms.CenterCrop] train_transform = transforms.Compose(train_transform + [ transforms.ToTensor(), transforms.Normalize(norm_mean, norm_std)]) train_set = which_dataset(root=data_root, transform=train_transform, load_in_mem=load_in_mem, **dataset_kwargs) # Prepare loader; the loaders list is for forward compatibility with # using validation / test splits. loaders = [] if use_multiepoch_sampler: print('Using multiepoch sampler from start_itr %d...' % start_itr) loader_kwargs = {'num_workers': num_workers, 'pin_memory': pin_memory} sampler = MultiEpochSampler(train_set, num_epochs, start_itr, batch_size) train_loader = DataLoader(train_set, batch_size=batch_size, sampler=sampler, **loader_kwargs) else: loader_kwargs = {'num_workers': num_workers, 'pin_memory': pin_memory, 'drop_last': drop_last} # Default, drop last incomplete batch train_loader = DataLoader(train_set, batch_size=batch_size, shuffle=shuffle, **loader_kwargs) loaders.append(train_loader) return loaders # Utility file to seed rngs def seed_rng(seed): torch.manual_seed(seed) torch.cuda.manual_seed(seed) np.random.seed(seed) # Utility to peg all roots to a base root # If a base root folder is provided, peg all other root folders to it. def update_config_roots(config): if config['base_root']: print('Pegging all root folders to base root %s' % config['base_root']) for key in ['data', 'weights', 'logs', 'samples']: config['%s_root' % key] = '%s/%s' % (config['base_root'], key) return config # Utility to prepare root folders if they don't exist; parent folder must exist def prepare_root(config): for key in ['weights_root', 'logs_root', 'samples_root']: if not os.path.exists(config[key]): print('Making directory %s for %s...' % (config[key], key)) os.mkdir(config[key]) # Simple wrapper that applies EMA to a model. COuld be better done in 1.0 using # the parameters() and buffers() module functions, but for now this works # with state_dicts using .copy_ class ema(object): def __init__(self, source, target, decay=0.9999, start_itr=0): self.source = source self.target = target self.decay = decay # Optional parameter indicating what iteration to start the decay at self.start_itr = start_itr # Initialize target's params to be source's self.source_dict = self.source.state_dict() self.target_dict = self.target.state_dict() print('Initializing EMA parameters to be source parameters...') with torch.no_grad(): for key in self.source_dict: self.target_dict[key].data.copy_(self.source_dict[key].data) # target_dict[key].data = source_dict[key].data # Doesn't work! def update(self, itr=None): # If an iteration counter is provided and itr is less than the start itr, # peg the ema weights to the underlying weights. if itr and itr < self.start_itr: decay = 0.0 else: decay = self.decay with torch.no_grad(): for key in self.source_dict: self.target_dict[key].data.copy_(self.target_dict[key].data * decay + self.source_dict[key].data * (1 - decay)) # Apply modified ortho reg to a model # This function is an optimized version that directly computes the gradient, # instead of computing and then differentiating the loss. def ortho(model, strength=1e-4, blacklist=[]): with torch.no_grad(): for param in model.parameters(): # Only apply this to parameters with at least 2 axes, and not in the blacklist if len(param.shape) < 2 or any([param is item for item in blacklist]): continue w = param.view(param.shape[0], -1) grad = (2 * torch.mm(torch.mm(w, w.t()) * (1. - torch.eye(w.shape[0], device=w.device)), w)) param.grad.data += strength * grad.view(param.shape) # Default ortho reg # This function is an optimized version that directly computes the gradient, # instead of computing and then differentiating the loss. def default_ortho(model, strength=1e-4, blacklist=[]): with torch.no_grad(): for param in model.parameters(): # Only apply this to parameters with at least 2 axes & not in blacklist if len(param.shape) < 2 or param in blacklist: continue w = param.view(param.shape[0], -1) grad = (2 * torch.mm(torch.mm(w, w.t()) - torch.eye(w.shape[0], device=w.device), w)) param.grad.data += strength * grad.view(param.shape) # Convenience utility to switch off requires_grad def toggle_grad(model, on_or_off): for param in model.parameters(): param.requires_grad = on_or_off # Function to join strings or ignore them # Base string is the string to link "strings," while strings # is a list of strings or Nones. def join_strings(base_string, strings): return base_string.join([item for item in strings if item]) # Save a model's weights, optimizer, and the state_dict def save_weights(G, D, state_dict, weights_root, experiment_name, name_suffix=None, G_ema=None): root = '/'.join([weights_root, experiment_name]) if not os.path.exists(root): os.mkdir(root) if name_suffix: print('Saving weights to %s/%s...' % (root, name_suffix)) else: print('Saving weights to %s...' % root) torch.save(G.state_dict(), '%s/%s.pth' % (root, join_strings('_', ['G', name_suffix]))) torch.save(G.optim.state_dict(), '%s/%s.pth' % (root, join_strings('_', ['G_optim', name_suffix]))) torch.save(D.state_dict(), '%s/%s.pth' % (root, join_strings('_', ['D', name_suffix]))) torch.save(D.optim.state_dict(), '%s/%s.pth' % (root, join_strings('_', ['D_optim', name_suffix]))) torch.save(state_dict, '%s/%s.pth' % (root, join_strings('_', ['state_dict', name_suffix]))) if G_ema is not None: torch.save(G_ema.state_dict(), '%s/%s.pth' % (root, join_strings('_', ['G_ema', name_suffix]))) # Load a model's weights, optimizer, and the state_dict def load_weights(G, D, state_dict, weights_root, experiment_name, name_suffix=None, G_ema=None, strict=True, load_optim=True): root = '/'.join([weights_root, experiment_name]) if name_suffix: print('Loading %s weights from %s...' % (name_suffix, root)) else: print('Loading weights from %s...' % root) if G is not None: G.load_state_dict( torch.load('%s/%s.pth' % (root, join_strings('_', ['G', name_suffix]))), strict=strict) if load_optim: G.optim.load_state_dict( torch.load('%s/%s.pth' % (root, join_strings('_', ['G_optim', name_suffix])))) if D is not None: D.load_state_dict( torch.load('%s/%s.pth' % (root, join_strings('_', ['D', name_suffix]))), strict=strict) if load_optim: D.optim.load_state_dict( torch.load('%s/%s.pth' % (root, join_strings('_', ['D_optim', name_suffix])))) # Load state dict for item in state_dict: state_dict[item] = torch.load('%s/%s.pth' % (root, join_strings('_', ['state_dict', name_suffix])))[item] if G_ema is not None: G_ema.load_state_dict( torch.load('%s/%s.pth' % (root, join_strings('_', ['G_ema', name_suffix]))), strict=strict) ''' MetricsLogger originally stolen from VoxNet source code. Used for logging inception metrics''' class MetricsLogger(object): def __init__(self, fname, reinitialize=False): self.fname = fname self.reinitialize = reinitialize if os.path.exists(self.fname): if self.reinitialize: print('{} exists, deleting...'.format(self.fname)) os.remove(self.fname) def log(self, record=None, **kwargs): """ Assumption: no newlines in the input. """ if record is None: record = {} record.update(kwargs) record['_stamp'] = time.time() with open(self.fname, 'a') as f: f.write(json.dumps(record, ensure_ascii=True) + '\n') # Logstyle is either: # '%#.#f' for floating point representation in text # '%#.#e' for exponent representation in text # 'npz' for output to npz # NOT YET SUPPORTED # 'pickle' for output to a python pickle # NOT YET SUPPORTED # 'mat' for output to a MATLAB .mat file # NOT YET SUPPORTED class MyLogger(object): def __init__(self, fname, reinitialize=False, logstyle='%3.3f'): self.root = fname if not os.path.exists(self.root): os.mkdir(self.root) self.reinitialize = reinitialize self.metrics = [] self.logstyle = logstyle # One of '%3.3f' or like '%3.3e' # Delete log if re-starting and log already exists def reinit(self, item): if os.path.exists('%s/%s.log' % (self.root, item)): if self.reinitialize: # Only print the removal mess if 'sv' in item : if not any('sv' in item for item in self.metrics): print('Deleting singular value logs...') else: print('{} exists, deleting...'.format('%s_%s.log' % (self.root, item))) os.remove('%s/%s.log' % (self.root, item)) # Log in plaintext; this is designed for being read in MATLAB(sorry not sorry) def log(self, itr, **kwargs): for arg in kwargs: if arg not in self.metrics: if self.reinitialize: self.reinit(arg) self.metrics += [arg] if self.logstyle == 'pickle': print('Pickle not currently supported...') # with open('%s/%s.log' % (self.root, arg), 'a') as f: # pickle.dump(kwargs[arg], f) elif self.logstyle == 'mat': print('.mat logstyle not currently supported...') else: with open('%s/%s.log' % (self.root, arg), 'a') as f: f.write('%d: %s\n' % (itr, self.logstyle % kwargs[arg])) # Write some metadata to the logs directory def write_metadata(logs_root, experiment_name, config, state_dict): with open(('%s/%s/metalog.txt' % (logs_root, experiment_name)), 'w') as writefile: writefile.write('datetime: %s\n' % str(datetime.datetime.now())) writefile.write('config: %s\n' % str(config)) writefile.write('state: %s\n' %str(state_dict)) """ Very basic progress indicator to wrap an iterable in. Author: Jan Schlüter Andy's adds: time elapsed in addition to ETA, makes it possible to add estimated time to 1k iters instead of estimated time to completion. """ def progress(items, desc='', total=None, min_delay=0.1, displaytype='s1k'): """ Returns a generator over `items`, printing the number and percentage of items processed and the estimated remaining processing time before yielding the next item. `total` gives the total number of items (required if `items` has no length), and `min_delay` gives the minimum time in seconds between subsequent prints. `desc` gives an optional prefix text (end with a space). """ total = total or len(items) t_start = time.time() t_last = 0 for n, item in enumerate(items): t_now = time.time() if t_now - t_last > min_delay: print("\r%s%d/%d (%6.2f%%)" % ( desc, n+1, total, n / float(total) * 100), end=" ") if n > 0: if displaytype == 's1k': # minutes/seconds for 1000 iters next_1000 = n + (1000 - n%1000) t_done = t_now - t_start t_1k = t_done / n * next_1000 outlist = list(divmod(t_done, 60)) + list(divmod(t_1k - t_done, 60)) print("(TE/ET1k: %d:%02d / %d:%02d)" % tuple(outlist), end=" ") else:# displaytype == 'eta': t_done = t_now - t_start t_total = t_done / n * total outlist = list(divmod(t_done, 60)) + list(divmod(t_total - t_done, 60)) print("(TE/ETA: %d:%02d / %d:%02d)" % tuple(outlist), end=" ") sys.stdout.flush() t_last = t_now yield item t_total = time.time() - t_start print("\r%s%d/%d (100.00%%) (took %d:%02d)" % ((desc, total, total) + divmod(t_total, 60))) # Sample function for use with inception metrics def sample(G, z_, y_, config): with torch.no_grad(): z_.sample_() y_.sample_() if config['parallel']: G_z = nn.parallel.data_parallel(G, (z_, G.shared(y_))) else: G_z = G(z_, G.shared(y_)) return G_z, y_ # Sample function for sample sheets def sample_sheet(G, classes_per_sheet, num_classes, samples_per_class, parallel, samples_root, experiment_name, folder_number, z_=None): # Prepare sample directory if not os.path.isdir('%s/%s' % (samples_root, experiment_name)): os.mkdir('%s/%s' % (samples_root, experiment_name)) if not os.path.isdir('%s/%s/%d' % (samples_root, experiment_name, folder_number)): os.mkdir('%s/%s/%d' % (samples_root, experiment_name, folder_number)) # loop over total number of sheets for i in range(num_classes // classes_per_sheet): ims = [] y = torch.arange(i * classes_per_sheet, (i + 1) * classes_per_sheet, device='cuda') for j in range(samples_per_class): if (z_ is not None) and hasattr(z_, 'sample_') and classes_per_sheet <= z_.size(0): z_.sample_() else: z_ = torch.randn(classes_per_sheet, G.dim_z, device='cuda') with torch.no_grad(): if parallel: o = nn.parallel.data_parallel(G, (z_[:classes_per_sheet], G.shared(y))) else: o = G(z_[:classes_per_sheet], G.shared(y)) ims += [o.data.cpu()] # This line should properly unroll the images out_ims = torch.stack(ims, 1).view(-1, ims[0].shape[1], ims[0].shape[2], ims[0].shape[3]).data.float().cpu() # The path for the samples image_filename = '%s/%s/%d/samples%d.jpg' % (samples_root, experiment_name, folder_number, i) torchvision.utils.save_image(out_ims, image_filename, nrow=samples_per_class, normalize=True) # Interp function; expects x0 and x1 to be of shape (shape0, 1, rest_of_shape..) def interp(x0, x1, num_midpoints): lerp = torch.linspace(0, 1.0, num_midpoints + 2, device='cuda').to(x0.dtype) return ((x0 * (1 - lerp.view(1, -1, 1))) + (x1 * lerp.view(1, -1, 1))) # interp sheet function # Supports full, class-wise and intra-class interpolation def interp_sheet(G, num_per_sheet, num_midpoints, num_classes, parallel, samples_root, experiment_name, folder_number, sheet_number=0, fix_z=False, fix_y=False, device='cuda'): # Prepare zs and ys if fix_z: # If fix Z, only sample 1 z per row zs = torch.randn(num_per_sheet, 1, G.dim_z, device=device) zs = zs.repeat(1, num_midpoints + 2, 1).view(-1, G.dim_z) else: zs = interp(torch.randn(num_per_sheet, 1, G.dim_z, device=device), torch.randn(num_per_sheet, 1, G.dim_z, device=device), num_midpoints).view(-1, G.dim_z) if fix_y: # If fix y, only sample 1 z per row ys = sample_1hot(num_per_sheet, num_classes) ys = G.shared(ys).view(num_per_sheet, 1, -1) ys = ys.repeat(1, num_midpoints + 2, 1).view(num_per_sheet * (num_midpoints + 2), -1) else: ys = interp(G.shared(sample_1hot(num_per_sheet, num_classes)).view(num_per_sheet, 1, -1), G.shared(sample_1hot(num_per_sheet, num_classes)).view(num_per_sheet, 1, -1), num_midpoints).view(num_per_sheet * (num_midpoints + 2), -1) # Run the net--note that we've already passed y through G.shared. if G.fp16: zs = zs.half() with torch.no_grad(): if parallel: out_ims = nn.parallel.data_parallel(G, (zs, ys)).data.cpu() else: out_ims = G(zs, ys).data.cpu() interp_style = '' + ('Z' if not fix_z else '') + ('Y' if not fix_y else '') image_filename = '%s/%s/%d/interp%s%d.jpg' % (samples_root, experiment_name, folder_number, interp_style, sheet_number) torchvision.utils.save_image(out_ims, image_filename, nrow=num_midpoints + 2, normalize=True) # Convenience debugging function to print out gradnorms and shape from each layer # May need to rewrite this so we can actually see which parameter is which def print_grad_norms(net): gradsums = [[float(torch.norm(param.grad).item()), float(torch.norm(param).item()), param.shape] for param in net.parameters()] order = np.argsort([item[0] for item in gradsums]) print(['%3.3e,%3.3e, %s' % (gradsums[item_index][0], gradsums[item_index][1], str(gradsums[item_index][2])) for item_index in order]) # Get singular values to log. This will use the state dict to find them # and substitute underscores for dots. def get_SVs(net, prefix): d = net.state_dict() return {('%s_%s' % (prefix, key)).replace('.', '_') : float(d[key].item()) for key in d if 'sv' in key} # Name an experiment based on its config def name_from_config(config): name = '_'.join([ item for item in [ 'Big%s' % config['which_train_fn'], config['dataset'], config['model'] if config['model'] != 'BigGAN' else None, 'seed%d' % config['seed'], 'Gch%d' % config['G_ch'], 'Dch%d' % config['D_ch'], 'Gd%d' % config['G_depth'] if config['G_depth'] > 1 else None, 'Dd%d' % config['D_depth'] if config['D_depth'] > 1 else None, 'bs%d' % config['batch_size'], 'Gfp16' if config['G_fp16'] else None, 'Dfp16' if config['D_fp16'] else None, 'nDs%d' % config['num_D_steps'] if config['num_D_steps'] > 1 else None, 'nDa%d' % config['num_D_accumulations'] if config['num_D_accumulations'] > 1 else None, 'nGa%d' % config['num_G_accumulations'] if config['num_G_accumulations'] > 1 else None, 'Glr%2.1e' % config['G_lr'], 'Dlr%2.1e' % config['D_lr'], 'GB%3.3f' % config['G_B1'] if config['G_B1'] !=0.0 else None, 'GBB%3.3f' % config['G_B2'] if config['G_B2'] !=0.999 else None, 'DB%3.3f' % config['D_B1'] if config['D_B1'] !=0.0 else None, 'DBB%3.3f' % config['D_B2'] if config['D_B2'] !=0.999 else None, 'Gnl%s' % config['G_nl'], 'Dnl%s' % config['D_nl'], 'Ginit%s' % config['G_init'], 'Dinit%s' % config['D_init'], 'G%s' % config['G_param'] if config['G_param'] != 'SN' else None, 'D%s' % config['D_param'] if config['D_param'] != 'SN' else None, 'Gattn%s' % config['G_attn'] if config['G_attn'] != '0' else None, 'Dattn%s' % config['D_attn'] if config['D_attn'] != '0' else None, 'Gortho%2.1e' % config['G_ortho'] if config['G_ortho'] > 0.0 else None, 'Dortho%2.1e' % config['D_ortho'] if config['D_ortho'] > 0.0 else None, config['norm_style'] if config['norm_style'] != 'bn' else None, 'cr' if config['cross_replica'] else None, 'Gshared' if config['G_shared'] else None, 'hier' if config['hier'] else None, 'ema' if config['ema'] else None, 'DiffAugment%s' % config['DiffAugment_policy'], config['name_suffix'] if config['name_suffix'] else None, ] if item is not None]) # dogball if config['hashname']: return hashname(name) else: return name # A simple function to produce a unique experiment name from the animal hashes. def hashname(name): h = hash(name) a = h % len(animal_hash.a) h = h // len(animal_hash.a) b = h % len(animal_hash.b) h = h // len(animal_hash.c) c = h % len(animal_hash.c) return animal_hash.a[a] + animal_hash.b[b] + animal_hash.c[c] # Get GPU memory, -i is the index def query_gpu(indices): os.system('nvidia-smi -i 0 --query-gpu=memory.free --format=csv') # Convenience function to count the number of parameters in a module def count_parameters(module): print('Number of parameters: {}'.format( sum([p.data.nelement() for p in module.parameters()]))) # Convenience function to sample an index, not actually a 1-hot def sample_1hot(batch_size, num_classes, device='cuda'): return torch.randint(low=0, high=num_classes, size=(batch_size,), device=device, dtype=torch.int64, requires_grad=False) # A highly simplified convenience class for sampling from distributions # One could also use PyTorch's inbuilt distributions package. # Note that this class requires initialization to proceed as # x = Distribution(torch.randn(size)) # x.init_distribution(dist_type, **dist_kwargs) # x = x.to(device,dtype) # This is partially based on https://discuss.pytorch.org/t/subclassing-torch-tensor/23754/2 class Distribution(torch.Tensor): # Init the params of the distribution def init_distribution(self, dist_type, **kwargs): self.dist_type = dist_type self.dist_kwargs = kwargs if self.dist_type == 'normal': self.mean, self.var = kwargs['mean'], kwargs['var'] elif self.dist_type == 'categorical': self.num_categories = kwargs['num_categories'] def sample_(self): if self.dist_type == 'normal': self.normal_(self.mean, self.var) elif self.dist_type == 'categorical': self.random_(0, self.num_categories) # return self.variable # Silly hack: overwrite the to() method to wrap the new object # in a distribution as well def to(self, *args, **kwargs): new_obj = Distribution(self) new_obj.init_distribution(self.dist_type, **self.dist_kwargs) new_obj.data = super().to(*args, **kwargs) return new_obj # Convenience function to prepare a z and y vector def prepare_z_y(G_batch_size, dim_z, nclasses, device='cuda', fp16=False,z_var=1.0): z_ = Distribution(torch.randn(G_batch_size, dim_z, requires_grad=False)) z_.init_distribution('normal', mean=0, var=z_var) z_ = z_.to(device,torch.float16 if fp16 else torch.float32) if fp16: z_ = z_.half() y_ = Distribution(torch.zeros(G_batch_size, requires_grad=False)) y_.init_distribution('categorical',num_categories=nclasses) y_ = y_.to(device, torch.int64) return z_, y_ def initiate_standing_stats(net): for module in net.modules(): if hasattr(module, 'accumulate_standing'): module.reset_stats() module.accumulate_standing = True def accumulate_standing_stats(net, z, y, nclasses, num_accumulations=16): initiate_standing_stats(net) net.train() for i in range(num_accumulations): with torch.no_grad(): z.normal_() y.random_(0, nclasses) x = net(z, net.shared(y)) # No need to parallelize here unless using syncbn # Set to eval mode net.eval() # This version of Adam keeps an fp32 copy of the parameters and # does all of the parameter updates in fp32, while still doing the # forwards and backwards passes using fp16 (i.e. fp16 copies of the # parameters and fp16 activations). # # Note that this calls .float().cuda() on the params. import math from torch.optim.optimizer import Optimizer class Adam16(Optimizer): def __init__(self, params, lr=1e-3, betas=(0.9, 0.999), eps=1e-8,weight_decay=0): defaults = dict(lr=lr, betas=betas, eps=eps, weight_decay=weight_decay) params = list(params) super(Adam16, self).__init__(params, defaults) # Safety modification to make sure we floatify our state def load_state_dict(self, state_dict): super(Adam16, self).load_state_dict(state_dict) for group in self.param_groups: for p in group['params']: self.state[p]['exp_avg'] = self.state[p]['exp_avg'].float() self.state[p]['exp_avg_sq'] = self.state[p]['exp_avg_sq'].float() self.state[p]['fp32_p'] = self.state[p]['fp32_p'].float() def step(self, closure=None): """Performs a single optimization step. Arguments: closure (callable, optional): A closure that reevaluates the model and returns the loss. """ loss = None if closure is not None: loss = closure() for group in self.param_groups: for p in group['params']: if p.grad is None: continue grad = p.grad.data.float() state = self.state[p] # State initialization if len(state) == 0: state['step'] = 0 # Exponential moving average of gradient values state['exp_avg'] = grad.new().resize_as_(grad).zero_() # Exponential moving average of squared gradient values state['exp_avg_sq'] = grad.new().resize_as_(grad).zero_() # Fp32 copy of the weights state['fp32_p'] = p.data.float() exp_avg, exp_avg_sq = state['exp_avg'], state['exp_avg_sq'] beta1, beta2 = group['betas'] state['step'] += 1 if group['weight_decay'] != 0: grad = grad.add(group['weight_decay'], state['fp32_p']) # Decay the first and second moment running average coefficient exp_avg.mul_(beta1).add_(1 - beta1, grad) exp_avg_sq.mul_(beta2).addcmul_(1 - beta2, grad, grad) denom = exp_avg_sq.sqrt().add_(group['eps']) bias_correction1 = 1 - beta1 ** state['step'] bias_correction2 = 1 - beta2 ** state['step'] step_size = group['lr'] * math.sqrt(bias_correction2) / bias_correction1 state['fp32_p'].addcdiv_(-step_size, exp_avg, denom) p.data = state['fp32_p'].half() return loss
51,556
40.411245
143
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/layers.py
''' Layers This file contains various layers for the BigGAN models. ''' import numpy as np import torch import torch.nn as nn from torch.nn import init import torch.optim as optim import torch.nn.functional as F from torch.nn import Parameter as P from sync_batchnorm import SynchronizedBatchNorm2d as SyncBN2d # Projection of x onto y def proj(x, y): return torch.mm(y, x.t()) * y / torch.mm(y, y.t()) # Orthogonalize x wrt list of vectors ys def gram_schmidt(x, ys): for y in ys: x = x - proj(x, y) return x # Apply num_itrs steps of the power method to estimate top N singular values. def power_iteration(W, u_, update=True, eps=1e-12): # Lists holding singular vectors and values us, vs, svs = [], [], [] for i, u in enumerate(u_): # Run one step of the power iteration with torch.no_grad(): v = torch.matmul(u, W) # Run Gram-Schmidt to subtract components of all other singular vectors v = F.normalize(gram_schmidt(v, vs), eps=eps) # Add to the list vs += [v] # Update the other singular vector u = torch.matmul(v, W.t()) # Run Gram-Schmidt to subtract components of all other singular vectors u = F.normalize(gram_schmidt(u, us), eps=eps) # Add to the list us += [u] if update: u_[i][:] = u # Compute this singular value and add it to the list svs += [torch.squeeze(torch.matmul(torch.matmul(v, W.t()), u.t()))] #svs += [torch.sum(F.linear(u, W.transpose(0, 1)) * v)] return svs, us, vs # Convenience passthrough function class identity(nn.Module): def forward(self, input): return input # Spectral normalization base class class SN(object): def __init__(self, num_svs, num_itrs, num_outputs, transpose=False, eps=1e-12): # Number of power iterations per step self.num_itrs = num_itrs # Number of singular values self.num_svs = num_svs # Transposed? self.transpose = transpose # Epsilon value for avoiding divide-by-0 self.eps = eps # Register a singular vector for each sv for i in range(self.num_svs): self.register_buffer('u%d' % i, torch.randn(1, num_outputs)) self.register_buffer('sv%d' % i, torch.ones(1)) # Singular vectors (u side) @property def u(self): return [getattr(self, 'u%d' % i) for i in range(self.num_svs)] # Singular values; # note that these buffers are just for logging and are not used in training. @property def sv(self): return [getattr(self, 'sv%d' % i) for i in range(self.num_svs)] # Compute the spectrally-normalized weight def W_(self): W_mat = self.weight.view(self.weight.size(0), -1) if self.transpose: W_mat = W_mat.t() # Apply num_itrs power iterations for _ in range(self.num_itrs): svs, us, vs = power_iteration(W_mat, self.u, update=self.training, eps=self.eps) # Update the svs if self.training: with torch.no_grad(): # Make sure to do this in a no_grad() context or you'll get memory leaks! for i, sv in enumerate(svs): self.sv[i][:] = sv return self.weight / svs[0] # 2D Conv layer with spectral norm class SNConv2d(nn.Conv2d, SN): def __init__(self, in_channels, out_channels, kernel_size, stride=1, padding=0, dilation=1, groups=1, bias=True, num_svs=1, num_itrs=1, eps=1e-12): nn.Conv2d.__init__(self, in_channels, out_channels, kernel_size, stride, padding, dilation, groups, bias) SN.__init__(self, num_svs, num_itrs, out_channels, eps=eps) def forward(self, x): return F.conv2d(x, self.W_(), self.bias, self.stride, self.padding, self.dilation, self.groups) # Linear layer with spectral norm class SNLinear(nn.Linear, SN): def __init__(self, in_features, out_features, bias=True, num_svs=1, num_itrs=1, eps=1e-12): nn.Linear.__init__(self, in_features, out_features, bias) SN.__init__(self, num_svs, num_itrs, out_features, eps=eps) def forward(self, x): return F.linear(x, self.W_(), self.bias) # Embedding layer with spectral norm # We use num_embeddings as the dim instead of embedding_dim here # for convenience sake class SNEmbedding(nn.Embedding, SN): def __init__(self, num_embeddings, embedding_dim, padding_idx=None, max_norm=None, norm_type=2, scale_grad_by_freq=False, sparse=False, _weight=None, num_svs=1, num_itrs=1, eps=1e-12): nn.Embedding.__init__(self, num_embeddings, embedding_dim, padding_idx, max_norm, norm_type, scale_grad_by_freq, sparse, _weight) SN.__init__(self, num_svs, num_itrs, num_embeddings, eps=eps) def forward(self, x): return F.embedding(x, self.W_()) # A non-local block as used in SA-GAN # Note that the implementation as described in the paper is largely incorrect; # refer to the released code for the actual implementation. class Attention(nn.Module): def __init__(self, ch, which_conv=SNConv2d, name='attention'): super(Attention, self).__init__() # Channel multiplier self.ch = ch self.which_conv = which_conv self.theta = self.which_conv(self.ch, self.ch // 8, kernel_size=1, padding=0, bias=False) self.phi = self.which_conv(self.ch, self.ch // 8, kernel_size=1, padding=0, bias=False) self.g = self.which_conv(self.ch, self.ch // 2, kernel_size=1, padding=0, bias=False) self.o = self.which_conv(self.ch // 2, self.ch, kernel_size=1, padding=0, bias=False) # Learnable gain parameter self.gamma = P(torch.tensor(0.), requires_grad=True) def forward(self, x, y=None): # Apply convs theta = self.theta(x) phi = F.max_pool2d(self.phi(x), [2,2]) g = F.max_pool2d(self.g(x), [2,2]) # Perform reshapes theta = theta.view(-1, self. ch // 8, x.shape[2] * x.shape[3]) phi = phi.view(-1, self. ch // 8, x.shape[2] * x.shape[3] // 4) g = g.view(-1, self. ch // 2, x.shape[2] * x.shape[3] // 4) # Matmul and softmax to get attention maps beta = F.softmax(torch.bmm(theta.transpose(1, 2), phi), -1) # Attention map times g path o = self.o(torch.bmm(g, beta.transpose(1,2)).view(-1, self.ch // 2, x.shape[2], x.shape[3])) return self.gamma * o + x # Fused batchnorm op def fused_bn(x, mean, var, gain=None, bias=None, eps=1e-5): # Apply scale and shift--if gain and bias are provided, fuse them here # Prepare scale scale = torch.rsqrt(var + eps) # If a gain is provided, use it if gain is not None: scale = scale * gain # Prepare shift shift = mean * scale # If bias is provided, use it if bias is not None: shift = shift - bias return x * scale - shift #return ((x - mean) / ((var + eps) ** 0.5)) * gain + bias # The unfused way. # Manual BN # Calculate means and variances using mean-of-squares minus mean-squared def manual_bn(x, gain=None, bias=None, return_mean_var=False, eps=1e-5): # Cast x to float32 if necessary float_x = x.float() # Calculate expected value of x (m) and expected value of x**2 (m2) # Mean of x m = torch.mean(float_x, [0, 2, 3], keepdim=True) # Mean of x squared m2 = torch.mean(float_x ** 2, [0, 2, 3], keepdim=True) # Calculate variance as mean of squared minus mean squared. var = (m2 - m **2) # Cast back to float 16 if necessary var = var.type(x.type()) m = m.type(x.type()) # Return mean and variance for updating stored mean/var if requested if return_mean_var: return fused_bn(x, m, var, gain, bias, eps), m.squeeze(), var.squeeze() else: return fused_bn(x, m, var, gain, bias, eps) # My batchnorm, supports standing stats class myBN(nn.Module): def __init__(self, num_channels, eps=1e-5, momentum=0.1): super(myBN, self).__init__() # momentum for updating running stats self.momentum = momentum # epsilon to avoid dividing by 0 self.eps = eps # Momentum self.momentum = momentum # Register buffers self.register_buffer('stored_mean', torch.zeros(num_channels)) self.register_buffer('stored_var', torch.ones(num_channels)) self.register_buffer('accumulation_counter', torch.zeros(1)) # Accumulate running means and vars self.accumulate_standing = False # reset standing stats def reset_stats(self): self.stored_mean[:] = 0 self.stored_var[:] = 0 self.accumulation_counter[:] = 0 def forward(self, x, gain, bias): if self.training: out, mean, var = manual_bn(x, gain, bias, return_mean_var=True, eps=self.eps) # If accumulating standing stats, increment them if self.accumulate_standing: self.stored_mean[:] = self.stored_mean + mean.data self.stored_var[:] = self.stored_var + var.data self.accumulation_counter += 1.0 # If not accumulating standing stats, take running averages else: self.stored_mean[:] = self.stored_mean * (1 - self.momentum) + mean * self.momentum self.stored_var[:] = self.stored_var * (1 - self.momentum) + var * self.momentum return out # If not in training mode, use the stored statistics else: mean = self.stored_mean.view(1, -1, 1, 1) var = self.stored_var.view(1, -1, 1, 1) # If using standing stats, divide them by the accumulation counter if self.accumulate_standing: mean = mean / self.accumulation_counter var = var / self.accumulation_counter return fused_bn(x, mean, var, gain, bias, self.eps) # Simple function to handle groupnorm norm stylization def groupnorm(x, norm_style): # If number of channels specified in norm_style: if 'ch' in norm_style: ch = int(norm_style.split('_')[-1]) groups = max(int(x.shape[1]) // ch, 1) # If number of groups specified in norm style elif 'grp' in norm_style: groups = int(norm_style.split('_')[-1]) # If neither, default to groups = 16 else: groups = 16 return F.group_norm(x, groups) # Class-conditional bn # output size is the number of channels, input size is for the linear layers # Andy's Note: this class feels messy but I'm not really sure how to clean it up # Suggestions welcome! (By which I mean, refactor this and make a pull request # if you want to make this more readable/usable). class ccbn(nn.Module): def __init__(self, output_size, input_size, which_linear, eps=1e-5, momentum=0.1, cross_replica=False, mybn=False, norm_style='bn',): super(ccbn, self).__init__() self.output_size, self.input_size = output_size, input_size # Prepare gain and bias layers self.gain = which_linear(input_size, output_size) self.bias = which_linear(input_size, output_size) # epsilon to avoid dividing by 0 self.eps = eps # Momentum self.momentum = momentum # Use cross-replica batchnorm? self.cross_replica = cross_replica # Use my batchnorm? self.mybn = mybn # Norm style? self.norm_style = norm_style if self.cross_replica: self.bn = SyncBN2d(output_size, eps=self.eps, momentum=self.momentum, affine=False) elif self.mybn: self.bn = myBN(output_size, self.eps, self.momentum) elif self.norm_style in ['bn', 'in']: self.register_buffer('stored_mean', torch.zeros(output_size)) self.register_buffer('stored_var', torch.ones(output_size)) def forward(self, x, y): # Calculate class-conditional gains and biases gain = (1 + self.gain(y)).view(y.size(0), -1, 1, 1) bias = self.bias(y).view(y.size(0), -1, 1, 1) # If using my batchnorm if self.mybn or self.cross_replica: return self.bn(x, gain=gain, bias=bias) # else: else: if self.norm_style == 'bn': out = F.batch_norm(x, self.stored_mean, self.stored_var, None, None, self.training, 0.1, self.eps) elif self.norm_style == 'in': out = F.instance_norm(x, self.stored_mean, self.stored_var, None, None, self.training, 0.1, self.eps) elif self.norm_style == 'gn': out = groupnorm(x, self.normstyle) elif self.norm_style == 'nonorm': out = x return out * gain + bias def extra_repr(self): s = 'out: {output_size}, in: {input_size},' s +=' cross_replica={cross_replica}' return s.format(**self.__dict__) # Normal, non-class-conditional BN class bn(nn.Module): def __init__(self, output_size, eps=1e-5, momentum=0.1, cross_replica=False, mybn=False): super(bn, self).__init__() self.output_size= output_size # Prepare gain and bias layers self.gain = P(torch.ones(output_size), requires_grad=True) self.bias = P(torch.zeros(output_size), requires_grad=True) # epsilon to avoid dividing by 0 self.eps = eps # Momentum self.momentum = momentum # Use cross-replica batchnorm? self.cross_replica = cross_replica # Use my batchnorm? self.mybn = mybn if self.cross_replica: self.bn = SyncBN2d(output_size, eps=self.eps, momentum=self.momentum, affine=False) elif mybn: self.bn = myBN(output_size, self.eps, self.momentum) # Register buffers if neither of the above else: self.register_buffer('stored_mean', torch.zeros(output_size)) self.register_buffer('stored_var', torch.ones(output_size)) def forward(self, x, y=None): if self.cross_replica or self.mybn: gain = self.gain.view(1,-1,1,1) bias = self.bias.view(1,-1,1,1) return self.bn(x, gain=gain, bias=bias) else: return F.batch_norm(x, self.stored_mean, self.stored_var, self.gain, self.bias, self.training, self.momentum, self.eps) # Generator blocks # Note that this class assumes the kernel size and padding (and any other # settings) have been selected in the main generator module and passed in # through the which_conv arg. Similar rules apply with which_bn (the input # size [which is actually the number of channels of the conditional info] must # be preselected) class GBlock(nn.Module): def __init__(self, in_channels, out_channels, which_conv=nn.Conv2d, which_bn=bn, activation=None, upsample=None): super(GBlock, self).__init__() self.in_channels, self.out_channels = in_channels, out_channels self.which_conv, self.which_bn = which_conv, which_bn self.activation = activation self.upsample = upsample # Conv layers self.conv1 = self.which_conv(self.in_channels, self.out_channels) self.conv2 = self.which_conv(self.out_channels, self.out_channels) self.learnable_sc = in_channels != out_channels or upsample if self.learnable_sc: self.conv_sc = self.which_conv(in_channels, out_channels, kernel_size=1, padding=0) # Batchnorm layers self.bn1 = self.which_bn(in_channels) self.bn2 = self.which_bn(out_channels) # upsample layers self.upsample = upsample def forward(self, x, y): h = self.activation(self.bn1(x, y)) if self.upsample: h = self.upsample(h) x = self.upsample(x) h = self.conv1(h) h = self.activation(self.bn2(h, y)) h = self.conv2(h) if self.learnable_sc: x = self.conv_sc(x) return h + x # Residual block for the discriminator class DBlock(nn.Module): def __init__(self, in_channels, out_channels, which_conv=SNConv2d, wide=True, preactivation=False, activation=None, downsample=None,): super(DBlock, self).__init__() self.in_channels, self.out_channels = in_channels, out_channels # If using wide D (as in SA-GAN and BigGAN), change the channel pattern self.hidden_channels = self.out_channels if wide else self.in_channels self.which_conv = which_conv self.preactivation = preactivation self.activation = activation self.downsample = downsample # Conv layers self.conv1 = self.which_conv(self.in_channels, self.hidden_channels) self.conv2 = self.which_conv(self.hidden_channels, self.out_channels) self.learnable_sc = True if (in_channels != out_channels) or downsample else False if self.learnable_sc: self.conv_sc = self.which_conv(in_channels, out_channels, kernel_size=1, padding=0) def shortcut(self, x): if self.preactivation: if self.learnable_sc: x = self.conv_sc(x) if self.downsample: x = self.downsample(x) else: if self.downsample: x = self.downsample(x) if self.learnable_sc: x = self.conv_sc(x) return x def forward(self, x): if self.preactivation: # h = self.activation(x) # NOT TODAY SATAN # Andy's note: This line *must* be an out-of-place ReLU or it # will negatively affect the shortcut connection. h = F.relu(x) else: h = x h = self.conv1(h) h = self.conv2(self.activation(h)) if self.downsample: h = self.downsample(h) return h + self.shortcut(x) # dogball
17,130
36.32244
101
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/datasets.py
''' Datasets This file contains definitions for our CIFAR, ImageFolder, and HDF5 datasets ''' import os import os.path import sys from PIL import Image import numpy as np from tqdm import tqdm, trange import torchvision.datasets as dset import torchvision.transforms as transforms from torchvision.datasets.utils import download_url, check_integrity import torch.utils.data as data from torch.utils.data import DataLoader IMG_EXTENSIONS = ['.jpg', '.jpeg', '.png', '.ppm', '.bmp', '.pgm'] def is_image_file(filename): """Checks if a file is an image. Args: filename (string): path to a file Returns: bool: True if the filename ends with a known image extension """ filename_lower = filename.lower() return any(filename_lower.endswith(ext) for ext in IMG_EXTENSIONS) def find_classes(dir): classes = [d for d in os.listdir(dir) if os.path.isdir(os.path.join(dir, d))] classes.sort() class_to_idx = {classes[i]: i for i in range(len(classes))} return classes, class_to_idx def make_dataset(dir, class_to_idx): images = [] dir = os.path.expanduser(dir) for target in tqdm(sorted(os.listdir(dir))): d = os.path.join(dir, target) if not os.path.isdir(d): continue for root, _, fnames in sorted(os.walk(d)): for fname in sorted(fnames): if is_image_file(fname): path = os.path.join(root, fname) item = (path, class_to_idx[target]) images.append(item) return images def pil_loader(path): # open path as file to avoid ResourceWarning (https://github.com/python-pillow/Pillow/issues/835) with open(path, 'rb') as f: img = Image.open(f) return img.convert('RGB') def accimage_loader(path): import accimage try: return accimage.Image(path) except IOError: # Potentially a decoding problem, fall back to PIL.Image return pil_loader(path) def default_loader(path): from torchvision import get_image_backend if get_image_backend() == 'accimage': return accimage_loader(path) else: return pil_loader(path) class ImageFolder(data.Dataset): """A generic data loader where the images are arranged in this way: :: root/dogball/xxx.png root/dogball/xxy.png root/dogball/xxz.png root/cat/123.png root/cat/nsdf3.png root/cat/asd932_.png Args: root (string): Root directory path. transform (callable, optional): A function/transform that takes in an PIL image and returns a transformed version. E.g, ``transforms.RandomCrop`` target_transform (callable, optional): A function/transform that takes in the target and transforms it. loader (callable, optional): A function to load an image given its path. Attributes: classes (list): List of the class names. class_to_idx (dict): Dict with items (class_name, class_index). imgs (list): List of (image path, class_index) tuples """ def __init__(self, root, transform=None, target_transform=None, loader=default_loader, load_in_mem=False, index_filename='imagenet_imgs.npz', **kwargs): classes, class_to_idx = find_classes(root) # Load pre-computed image directory walk if os.path.exists(index_filename): print('Loading pre-saved Index file %s...' % index_filename) imgs = np.load(index_filename)['imgs'] # If first time, walk the folder directory and save the # results to a pre-computed file. else: print('Generating Index file %s...' % index_filename) imgs = make_dataset(root, class_to_idx) np.savez_compressed(index_filename, **{'imgs' : imgs}) if len(imgs) == 0: raise(RuntimeError("Found 0 images in subfolders of: " + root + "\n" "Supported image extensions are: " + ",".join(IMG_EXTENSIONS))) self.root = root self.imgs = imgs self.classes = classes self.class_to_idx = class_to_idx self.transform = transform self.target_transform = target_transform self.loader = loader self.load_in_mem = load_in_mem if self.load_in_mem: print('Loading all images into memory...') self.data, self.labels = [], [] for index in tqdm(range(len(self.imgs))): path, target = imgs[index][0], imgs[index][1] self.data.append(self.transform(self.loader(path))) self.labels.append(target) def __getitem__(self, index): """ Args: index (int): Index Returns: tuple: (image, target) where target is class_index of the target class. """ if self.load_in_mem: img = self.data[index] target = self.labels[index] else: path, target = self.imgs[index] img = self.loader(str(path)) if self.transform is not None: img = self.transform(img) if self.target_transform is not None: target = self.target_transform(target) # print(img.size(), target) return img, int(target) def __len__(self): return len(self.imgs) def __repr__(self): fmt_str = 'Dataset ' + self.__class__.__name__ + '\n' fmt_str += ' Number of datapoints: {}\n'.format(self.__len__()) fmt_str += ' Root Location: {}\n'.format(self.root) tmp = ' Transforms (if any): ' fmt_str += '{0}{1}\n'.format(tmp, self.transform.__repr__().replace('\n', '\n' + ' ' * len(tmp))) tmp = ' Target Transforms (if any): ' fmt_str += '{0}{1}'.format(tmp, self.target_transform.__repr__().replace('\n', '\n' + ' ' * len(tmp))) return fmt_str ''' ILSVRC_HDF5: A dataset to support I/O from an HDF5 to avoid having to load individual images all the time. ''' import h5py as h5 import torch class ILSVRC_HDF5(data.Dataset): def __init__(self, root, transform=None, target_transform=None, load_in_mem=False, train=True,download=False, validate_seed=0, val_split=0, **kwargs): # last four are dummies self.root = root self.num_imgs = len(h5.File(root, 'r')['labels']) # self.transform = transform self.target_transform = target_transform # Set the transform here self.transform = transform # load the entire dataset into memory? self.load_in_mem = load_in_mem # If loading into memory, do so now if self.load_in_mem: print('Loading %s into memory...' % root) with h5.File(root,'r') as f: self.data = f['imgs'][:] self.labels = f['labels'][:] def __getitem__(self, index): """ Args: index (int): Index Returns: tuple: (image, target) where target is class_index of the target class. """ # If loaded the entire dataset in RAM, get image from memory if self.load_in_mem: img = self.data[index] target = self.labels[index] # Else load it from disk else: with h5.File(self.root,'r') as f: img = f['imgs'][index] target = f['labels'][index] # if self.transform is not None: # img = self.transform(img) # Apply my own transform img = ((torch.from_numpy(img).float() / 255) - 0.5) * 2 if self.target_transform is not None: target = self.target_transform(target) return img, int(target) def __len__(self): return self.num_imgs # return len(self.f['imgs']) import pickle class CIFAR10(dset.CIFAR10): def __init__(self, root, train=True, transform=None, target_transform=None, download=True, validate_seed=0, val_split=0, load_in_mem=True, **kwargs): self.root = os.path.expanduser(root) self.transform = transform self.target_transform = target_transform self.train = train # training set or test set self.val_split = val_split if download: self.download() if not self._check_integrity(): raise RuntimeError('Dataset not found or corrupted.' + ' You can use download=True to download it') # now load the picked numpy arrays self.data = [] self.labels= [] for fentry in self.train_list: f = fentry[0] file = os.path.join(self.root, self.base_folder, f) fo = open(file, 'rb') if sys.version_info[0] == 2: entry = pickle.load(fo) else: entry = pickle.load(fo, encoding='latin1') self.data.append(entry['data']) if 'labels' in entry: self.labels += entry['labels'] else: self.labels += entry['fine_labels'] fo.close() self.data = np.concatenate(self.data) # Randomly select indices for validation if self.val_split > 0: label_indices = [[] for _ in range(max(self.labels)+1)] for i,l in enumerate(self.labels): label_indices[l] += [i] label_indices = np.asarray(label_indices) # randomly grab 500 elements of each class np.random.seed(validate_seed) self.val_indices = [] for l_i in label_indices: self.val_indices += list(l_i[np.random.choice(len(l_i), int(len(self.data) * val_split) // (max(self.labels) + 1) ,replace=False)]) if self.train=='validate': self.data = self.data[self.val_indices] self.labels = list(np.asarray(self.labels)[self.val_indices]) self.data = self.data.reshape((int(50e3 * self.val_split), 3, 32, 32)) self.data = self.data.transpose((0, 2, 3, 1)) # convert to HWC elif self.train: print(np.shape(self.data)) if self.val_split > 0: self.data = np.delete(self.data,self.val_indices,axis=0) self.labels = list(np.delete(np.asarray(self.labels),self.val_indices,axis=0)) self.data = self.data.reshape((int(50e3 * (1.-self.val_split)), 3, 32, 32)) self.data = self.data.transpose((0, 2, 3, 1)) # convert to HWC else: f = self.test_list[0][0] file = os.path.join(self.root, self.base_folder, f) fo = open(file, 'rb') if sys.version_info[0] == 2: entry = pickle.load(fo) else: entry = pickle.load(fo, encoding='latin1') self.data = entry['data'] if 'labels' in entry: self.labels = entry['labels'] else: self.labels = entry['fine_labels'] fo.close() self.data = self.data.reshape((10000, 3, 32, 32)) self.data = self.data.transpose((0, 2, 3, 1)) # convert to HWC def __getitem__(self, index): """ Args: index (int): Index Returns: tuple: (image, target) where target is index of the target class. """ img, target = self.data[index], self.labels[index] # doing this so that it is consistent with all other datasets # to return a PIL Image img = Image.fromarray(img) if self.transform is not None: img = self.transform(img) if self.target_transform is not None: target = self.target_transform(target) return img, target def __len__(self): return len(self.data) class CIFAR100(CIFAR10): base_folder = 'cifar-100-python' url = "http://www.cs.toronto.edu/~kriz/cifar-100-python.tar.gz" filename = "cifar-100-python.tar.gz" tgz_md5 = 'eb9058c3a382ffc7106e4002c42a8d85' train_list = [ ['train', '16019d7e3df5f24257cddd939b257f8d'], ] test_list = [ ['test', 'f0ef6b0ae62326f3e7ffdfab6717acfc'], ] ''' CIFAR_HDF5: A dataset to support I/O from an HDF5 to avoid having to load individual images all the time. ''' class CIFAR_HDF5(data.Dataset): def __init__(self, root, transform=None, target_transform=None, load_in_mem=False, train=True, download=False, validate_seed=0, val_split=0, **kwargs): # last four are dummies self.root = root self.num_imgs = len(h5.File(root, 'r')['labels']) # self.transform = transform self.target_transform = target_transform # Set the transform here self.transform = transform # load the entire dataset into memory? self.load_in_mem = load_in_mem # If loading into memory, do so now if self.load_in_mem: print('Loading %s into memory...' % root) with h5.File(root,'r') as f: self.data = f['imgs'][:] self.labels = f['labels'][:] def __getitem__(self, index): """ Args: index (int): Index Returns: tuple: (image, target) where target is class_index of the target class. """ # If loaded the entire dataset in RAM, get image from memory if self.load_in_mem: img = self.data[index] target = self.labels[index] # Else load it from disk else: with h5.File(self.root,'r') as f: img = f['imgs'][index] target = f['labels'][index] img = np.transpose(img, (1, 2, 0)) #C * H * W ----> H * W * C img = Image.fromarray(np.uint8(img), mode = 'RGB') #H * W * C if self.transform is not None: img = self.transform(img) # # Apply my own transform # img = ((torch.from_numpy(img).float() / 255) - 0.5) * 2 if self.target_transform is not None: target = self.target_transform(target) return img, int(target) def __len__(self): return self.num_imgs # return len(self.f['imgs'])
13,114
29.571096
139
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/inception_utils.py
''' Inception utilities This file contains methods for calculating IS and FID, using either the original numpy code or an accelerated fully-pytorch version that uses a fast newton-schulz approximation for the matrix sqrt. There are also methods for acquiring a desired number of samples from the Generator, and parallelizing the inbuilt PyTorch inception network. NOTE that Inception Scores and FIDs calculated using these methods will *not* be directly comparable to values calculated using the original TF IS/FID code. You *must* use the TF model if you wish to report and compare numbers. This code tends to produce IS values that are 5-10% lower than those obtained through TF. ''' import numpy as np from scipy import linalg # For numpy FID import time import torch import torch.nn as nn import torch.nn.functional as F from torch.nn import Parameter as P from torchvision.models.inception import inception_v3 # Module that wraps the inception network to enable use with dataparallel and # returning pool features and logits. class WrapInception(nn.Module): def __init__(self, net): super(WrapInception,self).__init__() self.net = net self.mean = P(torch.tensor([0.485, 0.456, 0.406]).view(1, -1, 1, 1), requires_grad=False) self.std = P(torch.tensor([0.229, 0.224, 0.225]).view(1, -1, 1, 1), requires_grad=False) def forward(self, x): # Normalize x x = (x + 1.) / 2.0 x = (x - self.mean) / self.std # Upsample if necessary if x.shape[2] != 299 or x.shape[3] != 299: x = F.interpolate(x, size=(299, 299), mode='bilinear', align_corners=True) # 299 x 299 x 3 x = self.net.Conv2d_1a_3x3(x) # 149 x 149 x 32 x = self.net.Conv2d_2a_3x3(x) # 147 x 147 x 32 x = self.net.Conv2d_2b_3x3(x) # 147 x 147 x 64 x = F.max_pool2d(x, kernel_size=3, stride=2) # 73 x 73 x 64 x = self.net.Conv2d_3b_1x1(x) # 73 x 73 x 80 x = self.net.Conv2d_4a_3x3(x) # 71 x 71 x 192 x = F.max_pool2d(x, kernel_size=3, stride=2) # 35 x 35 x 192 x = self.net.Mixed_5b(x) # 35 x 35 x 256 x = self.net.Mixed_5c(x) # 35 x 35 x 288 x = self.net.Mixed_5d(x) # 35 x 35 x 288 x = self.net.Mixed_6a(x) # 17 x 17 x 768 x = self.net.Mixed_6b(x) # 17 x 17 x 768 x = self.net.Mixed_6c(x) # 17 x 17 x 768 x = self.net.Mixed_6d(x) # 17 x 17 x 768 x = self.net.Mixed_6e(x) # 17 x 17 x 768 # 17 x 17 x 768 x = self.net.Mixed_7a(x) # 8 x 8 x 1280 x = self.net.Mixed_7b(x) # 8 x 8 x 2048 x = self.net.Mixed_7c(x) # 8 x 8 x 2048 pool = torch.mean(x.view(x.size(0), x.size(1), -1), 2) # 1 x 1 x 2048 logits = self.net.fc(F.dropout(pool, training=False).view(pool.size(0), -1)) # 1000 (num_classes) return pool, logits # A pytorch implementation of cov, from Modar M. Alfadly # https://discuss.pytorch.org/t/covariance-and-gradient-support/16217/2 def torch_cov(m, rowvar=False): '''Estimate a covariance matrix given data. Covariance indicates the level to which two variables vary together. If we examine N-dimensional samples, `X = [x_1, x_2, ... x_N]^T`, then the covariance matrix element `C_{ij}` is the covariance of `x_i` and `x_j`. The element `C_{ii}` is the variance of `x_i`. Args: m: A 1-D or 2-D array containing multiple variables and observations. Each row of `m` represents a variable, and each column a single observation of all those variables. rowvar: If `rowvar` is True, then each row represents a variable, with observations in the columns. Otherwise, the relationship is transposed: each column represents a variable, while the rows contain observations. Returns: The covariance matrix of the variables. ''' if m.dim() > 2: raise ValueError('m has more than 2 dimensions') if m.dim() < 2: m = m.view(1, -1) if not rowvar and m.size(0) != 1: m = m.t() # m = m.type(torch.double) # uncomment this line if desired fact = 1.0 / (m.size(1) - 1) m -= torch.mean(m, dim=1, keepdim=True) mt = m.t() # if complex: mt = m.t().conj() return fact * m.matmul(mt).squeeze() # Pytorch implementation of matrix sqrt, from Tsung-Yu Lin, and Subhransu Maji # https://github.com/msubhransu/matrix-sqrt def sqrt_newton_schulz(A, numIters, dtype=None): with torch.no_grad(): if dtype is None: dtype = A.type() batchSize = A.shape[0] dim = A.shape[1] normA = A.mul(A).sum(dim=1).sum(dim=1).sqrt() Y = A.div(normA.view(batchSize, 1, 1).expand_as(A)); I = torch.eye(dim,dim).view(1, dim, dim).repeat(batchSize,1,1).type(dtype) Z = torch.eye(dim,dim).view(1, dim, dim).repeat(batchSize,1,1).type(dtype) for i in range(numIters): T = 0.5*(3.0*I - Z.bmm(Y)) Y = Y.bmm(T) Z = T.bmm(Z) sA = Y*torch.sqrt(normA).view(batchSize, 1, 1).expand_as(A) return sA # FID calculator from TTUR--consider replacing this with GPU-accelerated cov # calculations using torch? def numpy_calculate_frechet_distance(mu1, sigma1, mu2, sigma2, eps=1e-6): """Numpy implementation of the Frechet Distance. Taken from https://github.com/bioinf-jku/TTUR The Frechet distance between two multivariate Gaussians X_1 ~ N(mu_1, C_1) and X_2 ~ N(mu_2, C_2) is d^2 = ||mu_1 - mu_2||^2 + Tr(C_1 + C_2 - 2*sqrt(C_1*C_2)). Stable version by Dougal J. Sutherland. Params: -- mu1 : Numpy array containing the activations of a layer of the inception net (like returned by the function 'get_predictions') for generated samples. -- mu2 : The sample mean over activations, precalculated on an representive data set. -- sigma1: The covariance matrix over activations for generated samples. -- sigma2: The covariance matrix over activations, precalculated on an representive data set. Returns: -- : The Frechet Distance. """ mu1 = np.atleast_1d(mu1) mu2 = np.atleast_1d(mu2) sigma1 = np.atleast_2d(sigma1) sigma2 = np.atleast_2d(sigma2) assert mu1.shape == mu2.shape, \ 'Training and test mean vectors have different lengths' assert sigma1.shape == sigma2.shape, \ 'Training and test covariances have different dimensions' diff = mu1 - mu2 # Product might be almost singular covmean, _ = linalg.sqrtm(sigma1.dot(sigma2), disp=False) if not np.isfinite(covmean).all(): msg = ('fid calculation produces singular product; ' 'adding %s to diagonal of cov estimates') % eps print(msg) offset = np.eye(sigma1.shape[0]) * eps covmean = linalg.sqrtm((sigma1 + offset).dot(sigma2 + offset)) # Numerical error might give slight imaginary component if np.iscomplexobj(covmean): print('wat') if not np.allclose(np.diagonal(covmean).imag, 0, atol=1e-3): m = np.max(np.abs(covmean.imag)) raise ValueError('Imaginary component {}'.format(m)) covmean = covmean.real tr_covmean = np.trace(covmean) out = diff.dot(diff) + np.trace(sigma1) + np.trace(sigma2) - 2 * tr_covmean return out def torch_calculate_frechet_distance(mu1, sigma1, mu2, sigma2, eps=1e-6): """Pytorch implementation of the Frechet Distance. Taken from https://github.com/bioinf-jku/TTUR The Frechet distance between two multivariate Gaussians X_1 ~ N(mu_1, C_1) and X_2 ~ N(mu_2, C_2) is d^2 = ||mu_1 - mu_2||^2 + Tr(C_1 + C_2 - 2*sqrt(C_1*C_2)). Stable version by Dougal J. Sutherland. Params: -- mu1 : Numpy array containing the activations of a layer of the inception net (like returned by the function 'get_predictions') for generated samples. -- mu2 : The sample mean over activations, precalculated on an representive data set. -- sigma1: The covariance matrix over activations for generated samples. -- sigma2: The covariance matrix over activations, precalculated on an representive data set. Returns: -- : The Frechet Distance. """ assert mu1.shape == mu2.shape, \ 'Training and test mean vectors have different lengths' assert sigma1.shape == sigma2.shape, \ 'Training and test covariances have different dimensions' diff = mu1 - mu2 # Run 50 itrs of newton-schulz to get the matrix sqrt of sigma1 dot sigma2 covmean = sqrt_newton_schulz(sigma1.mm(sigma2).unsqueeze(0), 50).squeeze() out = (diff.dot(diff) + torch.trace(sigma1) + torch.trace(sigma2) - 2 * torch.trace(covmean)) return out # Calculate Inception Score mean + std given softmax'd logits and number of splits def calculate_inception_score(pred, num_splits=10): scores = [] for index in range(num_splits): pred_chunk = pred[index * (pred.shape[0] // num_splits): (index + 1) * (pred.shape[0] // num_splits), :] kl_inception = pred_chunk * (np.log(pred_chunk) - np.log(np.expand_dims(np.mean(pred_chunk, 0), 0))) kl_inception = np.mean(np.sum(kl_inception, 1)) scores.append(np.exp(kl_inception)) return np.mean(scores), np.std(scores) # Loop and run the sampler and the net until it accumulates num_inception_images # activations. Return the pool, the logits, and the labels (if one wants # Inception Accuracy the labels of the generated class will be needed) def accumulate_inception_activations(sample, net, num_inception_images=50000): pool, logits, labels = [], [], [] while (torch.cat(logits, 0).shape[0] if len(logits) else 0) < num_inception_images: with torch.no_grad(): images, labels_val = sample() pool_val, logits_val = net(images.float()) pool += [pool_val] logits += [F.softmax(logits_val, 1)] labels += [labels_val] return torch.cat(pool, 0), torch.cat(logits, 0), torch.cat(labels, 0) # Load and wrap the Inception model def load_inception_net(parallel=False): inception_model = inception_v3(pretrained=True, transform_input=False) inception_model = WrapInception(inception_model.eval()).cuda() if parallel: print('Parallelizing Inception module...') inception_model = nn.DataParallel(inception_model) return inception_model # This produces a function which takes in an iterator which returns a set number of samples # and iterates until it accumulates config['num_inception_images'] images. # The iterator can return samples with a different batch size than used in # training, using the setting confg['inception_batchsize'] def prepare_inception_metrics(dataset, parallel, no_fid=False): # Load metrics; this is intentionally not in a try-except loop so that # the script will crash here if it cannot find the Inception moments. # By default, remove the "hdf5" from dataset dataset = dataset.strip('_hdf5') if not no_fid: data_mu = np.load(dataset+'_inception_moments.npz')['mu'] data_sigma = np.load(dataset+'_inception_moments.npz')['sigma'] # Load network net = load_inception_net(parallel) def get_inception_metrics(sample, num_inception_images, num_splits=10, prints=True, use_torch=True): if prints: print('Gathering activations...') pool, logits, labels = accumulate_inception_activations(sample, net, num_inception_images) if prints: print('Calculating Inception Score...') IS_mean, IS_std = calculate_inception_score(logits.cpu().numpy(), num_splits) if no_fid: FID = 9999.0 else: if prints: print('Calculating means and covariances...') if use_torch: mu, sigma = torch.mean(pool, 0), torch_cov(pool, rowvar=False) else: mu, sigma = np.mean(pool.cpu().numpy(), axis=0), np.cov(pool.cpu().numpy(), rowvar=False) if prints: print('Covariances calculated, getting FID...') if use_torch: FID = torch_calculate_frechet_distance(mu, sigma, torch.tensor(data_mu).float().cuda(), torch.tensor(data_sigma).float().cuda()) FID = float(FID.cpu().numpy()) else: FID = numpy_calculate_frechet_distance(mu.cpu().numpy(), sigma.cpu().numpy(), data_mu, data_sigma) # Delete mu, sigma, pool, logits, and labels, just in case del pool, logits, labels if not no_fid: del mu, sigma return IS_mean, IS_std, FID return get_inception_metrics
12,341
38.305732
136
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/calculate_inception_moments.py
''' Calculate Inception Moments This script iterates over the dataset and calculates the moments of the activations of the Inception net (needed for FID), and also returns the Inception Score of the training data. Note that if you don't shuffle the data, the IS of true data will be under- estimated as it is label-ordered. By default, the data is not shuffled so as to reduce non-determinism. ''' import numpy as np import torch import torch.nn as nn import torch.nn.functional as F import utils import inception_utils from tqdm import tqdm, trange from argparse import ArgumentParser def prepare_parser(): usage = 'Calculate and store inception metrics.' parser = ArgumentParser(description=usage) parser.add_argument( '--dataset', type=str, default='I128_hdf5', help='Which Dataset to train on, out of I128, I256, C10, C100...' 'Append _hdf5 to use the hdf5 version of the dataset. (default: %(default)s)') parser.add_argument( '--data_root', type=str, default='data', help='Default location where data is stored (default: %(default)s)') parser.add_argument( '--batch_size', type=int, default=64, help='Default overall batchsize (default: %(default)s)') parser.add_argument( '--parallel', action='store_true', default=False, help='Train with multiple GPUs (default: %(default)s)') parser.add_argument( '--augment', action='store_true', default=False, help='Augment with random crops and flips (default: %(default)s)') parser.add_argument( '--num_workers', type=int, default=8, help='Number of dataloader workers (default: %(default)s)') parser.add_argument( '--shuffle', action='store_true', default=False, help='Shuffle the data? (default: %(default)s)') parser.add_argument( '--seed', type=int, default=0, help='Random seed to use.') return parser def run(config): # Get loader config['drop_last'] = False loaders = utils.get_data_loaders(**config) # Load inception net net = inception_utils.load_inception_net(parallel=config['parallel']) pool, logits, labels = [], [], [] device = 'cuda' for i, (x, y) in enumerate(tqdm(loaders[0])): x = x.to(device) with torch.no_grad(): pool_val, logits_val = net(x) pool += [np.asarray(pool_val.cpu())] logits += [np.asarray(F.softmax(logits_val, 1).cpu())] labels += [np.asarray(y.cpu())] pool, logits, labels = [np.concatenate(item, 0) for item in [pool, logits, labels]] # uncomment to save pool, logits, and labels to disk # print('Saving pool, logits, and labels to disk...') # np.savez(config['dataset']+'_inception_activations.npz', # {'pool': pool, 'logits': logits, 'labels': labels}) # Calculate inception metrics and report them print('Calculating inception metrics...') IS_mean, IS_std = inception_utils.calculate_inception_score(logits) print('Training data from dataset %s has IS of %5.5f +/- %5.5f' % (config['dataset'], IS_mean, IS_std)) # Prepare mu and sigma, save to disk. Remove "hdf5" by default # (the FID code also knows to strip "hdf5") print('Calculating means and covariances...') mu, sigma = np.mean(pool, axis=0), np.cov(pool, rowvar=False) print('Saving calculated means and covariances to disk...') np.savez(config['dataset'].strip('_hdf5')+'_inception_moments.npz', **{'mu' : mu, 'sigma' : sigma}) def main(): # parse command line parser = prepare_parser() config = vars(parser.parse_args()) print(config) run(config) if __name__ == '__main__': main()
3,551
38.032967
105
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/train.py
""" BigGAN: The Authorized Unofficial PyTorch release Code by A. Brock and A. Andonian This code is an unofficial reimplementation of "Large-Scale GAN Training for High Fidelity Natural Image Synthesis," by A. Brock, J. Donahue, and K. Simonyan (arXiv 1809.11096). Let's go. """ import os import functools import math import numpy as np from tqdm import tqdm, trange import copy import torch import torch.nn as nn from torch.nn import init import torch.optim as optim import torch.nn.functional as F from torch.nn import Parameter as P import torchvision # Import my stuff import inception_utils import utils import losses import train_fns from sync_batchnorm import patch_replication_callback # The main training file. Config is a dictionary specifying the configuration # of this training run. def run(config): # Update the config dict as necessary # This is for convenience, to add settings derived from the user-specified # configuration into the config-dict (e.g. inferring the number of classes # and size of the images from the dataset, passing in a pytorch object # for the activation specified as a string) config['resolution'] = utils.imsize_dict[config['dataset']] config['n_classes'] = utils.nclass_dict[config['dataset']] config['G_activation'] = utils.activation_dict[config['G_nl']] config['D_activation'] = utils.activation_dict[config['D_nl']] # By default, skip init if resuming training. if config['resume']: print('Skipping initialization for training resumption...') config['skip_init'] = True config = utils.update_config_roots(config) device = 'cuda' # Seed RNG utils.seed_rng(config['seed']) # Prepare root folders if necessary utils.prepare_root(config) # Setup cudnn.benchmark for free speed torch.backends.cudnn.benchmark = True # Import the model--this line allows us to dynamically select different files. model = __import__(config['model']) experiment_name = (config['experiment_name'] if config['experiment_name'] else utils.name_from_config(config)) print('Experiment name is %s' % experiment_name) # Next, build the model G = model.Generator(**config).to(device) D = model.Discriminator(**config).to(device) # If using EMA, prepare it if config['ema']: print('Preparing EMA for G with decay of {}'.format(config['ema_decay'])) G_ema = model.Generator(**{**config, 'skip_init':True, 'no_optim': True}).to(device) ema = utils.ema(G, G_ema, config['ema_decay'], config['ema_start']) else: G_ema, ema = None, None # FP16? if config['G_fp16']: print('Casting G to float16...') G = G.half() if config['ema']: G_ema = G_ema.half() if config['D_fp16']: print('Casting D to fp16...') D = D.half() # Consider automatically reducing SN_eps? GD = model.G_D(G=G, D=D, DiffAugment_policy=config['DiffAugment_policy']) # print(G) # print(D) print('Number of params in G: {} D: {}'.format( *[sum([p.data.nelement() for p in net.parameters()]) for net in [G,D]])) # Prepare state dict, which holds things like epoch # and itr # state_dict = {'itr': 0, 'epoch': 0, 'save_num': 0, 'save_best_num': 0, 'best_IS': 0, 'best_FID': 999999, 'config': config} # If loading from a pre-trained model, load weights if config['resume']: print('Loading weights...') utils.load_weights(G, D, state_dict, config['weights_root'], experiment_name, config['load_weights'] if config['load_weights'] else None, G_ema if config['ema'] else None) # If parallel, parallelize the GD module if config['parallel']: GD = nn.DataParallel(GD) if config['cross_replica']: patch_replication_callback(GD) # Prepare loggers for stats; metrics holds test metrics, # lmetrics holds any desired training metrics. test_metrics_fname = '%s/%s_log.jsonl' % (config['logs_root'], experiment_name) train_metrics_fname = '%s/%s' % (config['logs_root'], experiment_name) print('Inception Metrics will be saved to {}'.format(test_metrics_fname)) test_log = utils.MetricsLogger(test_metrics_fname, reinitialize=(not config['resume'])) print('Training Metrics will be saved to {}'.format(train_metrics_fname)) train_log = utils.MyLogger(train_metrics_fname, reinitialize=(not config['resume']), logstyle=config['logstyle']) # Write metadata utils.write_metadata(config['logs_root'], experiment_name, config, state_dict) # Prepare data; the Discriminator's batch size is all that needs to be passed # to the dataloader, as G doesn't require dataloading. # Note that at every loader iteration we pass in enough data to complete # a full D iteration (regardless of number of D steps and accumulations) D_batch_size = (config['batch_size'] * config['num_D_steps'] * config['num_D_accumulations']) loaders = utils.get_data_loaders(**{**config, 'batch_size': D_batch_size, 'start_itr': state_dict['itr']}) # Prepare inception metrics: FID and IS get_inception_metrics = inception_utils.prepare_inception_metrics(config['dataset'], config['parallel'], config['no_fid']) # Prepare noise and randomly sampled label arrays # Allow for different batch sizes in G G_batch_size = max(config['G_batch_size'], config['batch_size']) z_, y_ = utils.prepare_z_y(G_batch_size, G.dim_z, config['n_classes'], device=device, fp16=config['G_fp16']) # Prepare a fixed z & y to see individual sample evolution throghout training fixed_z, fixed_y = utils.prepare_z_y(G_batch_size, G.dim_z, config['n_classes'], device=device, fp16=config['G_fp16']) fixed_z.sample_() fixed_y.sample_() # Loaders are loaded, prepare the training function if config['which_train_fn'] == 'GAN': train = train_fns.GAN_training_function(G, D, GD, z_, y_, ema, state_dict, config) # Else, assume debugging and use the dummy train fn else: train = train_fns.dummy_training_function() # Prepare Sample function for use with inception metrics sample = functools.partial(utils.sample, G=(G_ema if config['ema'] and config['use_ema'] else G), z_=z_, y_=y_, config=config) print('Beginning training at epoch %d...' % state_dict['epoch']) # Train for specified number of epochs, although we mostly track G iterations. for epoch in range(state_dict['epoch'], config['num_epochs']): print("\r epoch:[%d/%d]; G_bs:%d; D_bs:%d;" % (epoch, config['num_epochs'], G_batch_size, D_batch_size)) # Which progressbar to use? TQDM or my own? if config['pbar'] == 'mine': pbar = utils.progress(loaders[0],displaytype='s1k' if config['use_multiepoch_sampler'] else 'eta') else: pbar = tqdm(loaders[0]) for i, (x, y) in enumerate(pbar): # Increment the iteration counter state_dict['itr'] += 1 # Make sure G and D are in training mode, just in case they got set to eval # For D, which typically doesn't have BN, this shouldn't matter much. G.train() D.train() if config['ema']: G_ema.train() if config['D_fp16']: x, y = x.to(device).half(), y.to(device) else: x, y = x.to(device), y.to(device) metrics = train(x, y) train_log.log(itr=int(state_dict['itr']), **metrics) # Every sv_log_interval, log singular values if (config['sv_log_interval'] > 0) and (not (state_dict['itr'] % config['sv_log_interval'])): train_log.log(itr=int(state_dict['itr']), **{**utils.get_SVs(G, 'G'), **utils.get_SVs(D, 'D')}) # If using my progbar, print metrics. if config['pbar'] == 'mine': print(', '.join(['itr: %d' % state_dict['itr']] \ + ['%s : %+4.3f' % (key, metrics[key]) \ for key in metrics]), end = " ") # Save weights and copies as configured at specified interval if not (state_dict['itr'] % config['save_every']): if config['G_eval_mode']: print('Switchin G to eval mode...') G.eval() if config['ema']: G_ema.eval() train_fns.save_and_sample(G, D, G_ema, z_, y_, fixed_z, fixed_y, state_dict, config, experiment_name) # Test every specified interval if not (state_dict['itr'] % config['test_every']): if config['G_eval_mode']: print('Switchin G to eval mode...') G.eval() train_fns.test(G, D, G_ema, z_, y_, state_dict, config, sample, get_inception_metrics, experiment_name, test_log) # Increment epoch counter at end of epoch state_dict['epoch'] += 1 def main(): # parse command line and run parser = utils.prepare_parser() config = vars(parser.parse_args()) print(config) path_torch_home = os.path.join(config['root_path'], 'torch_cache') os.makedirs(path_torch_home, exist_ok=True) os.environ['TORCH_HOME'] = path_torch_home run(config) if __name__ == '__main__': main()
9,472
39.656652
124
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/sync_batchnorm/replicate.py
# -*- coding: utf-8 -*- # File : replicate.py # Author : Jiayuan Mao # Email : maojiayuan@gmail.com # Date : 27/01/2018 # # This file is part of Synchronized-BatchNorm-PyTorch. # https://github.com/vacancy/Synchronized-BatchNorm-PyTorch # Distributed under MIT License. import functools from torch.nn.parallel.data_parallel import DataParallel __all__ = [ 'CallbackContext', 'execute_replication_callbacks', 'DataParallelWithCallback', 'patch_replication_callback' ] class CallbackContext(object): pass def execute_replication_callbacks(modules): """ Execute an replication callback `__data_parallel_replicate__` on each module created by original replication. The callback will be invoked with arguments `__data_parallel_replicate__(ctx, copy_id)` Note that, as all modules are isomorphism, we assign each sub-module with a context (shared among multiple copies of this module on different devices). Through this context, different copies can share some information. We guarantee that the callback on the master copy (the first copy) will be called ahead of calling the callback of any slave copies. """ master_copy = modules[0] nr_modules = len(list(master_copy.modules())) ctxs = [CallbackContext() for _ in range(nr_modules)] for i, module in enumerate(modules): for j, m in enumerate(module.modules()): if hasattr(m, '__data_parallel_replicate__'): m.__data_parallel_replicate__(ctxs[j], i) class DataParallelWithCallback(DataParallel): """ Data Parallel with a replication callback. An replication callback `__data_parallel_replicate__` of each module will be invoked after being created by original `replicate` function. The callback will be invoked with arguments `__data_parallel_replicate__(ctx, copy_id)` Examples: > sync_bn = SynchronizedBatchNorm1d(10, eps=1e-5, affine=False) > sync_bn = DataParallelWithCallback(sync_bn, device_ids=[0, 1]) # sync_bn.__data_parallel_replicate__ will be invoked. """ def replicate(self, module, device_ids): modules = super(DataParallelWithCallback, self).replicate(module, device_ids) execute_replication_callbacks(modules) return modules def patch_replication_callback(data_parallel): """ Monkey-patch an existing `DataParallel` object. Add the replication callback. Useful when you have customized `DataParallel` implementation. Examples: > sync_bn = SynchronizedBatchNorm1d(10, eps=1e-5, affine=False) > sync_bn = DataParallel(sync_bn, device_ids=[0, 1]) > patch_replication_callback(sync_bn) # this is equivalent to > sync_bn = SynchronizedBatchNorm1d(10, eps=1e-5, affine=False) > sync_bn = DataParallelWithCallback(sync_bn, device_ids=[0, 1]) """ assert isinstance(data_parallel, DataParallel) old_replicate = data_parallel.replicate @functools.wraps(old_replicate) def new_replicate(module, device_ids): modules = old_replicate(module, device_ids) execute_replication_callbacks(modules) return modules data_parallel.replicate = new_replicate
3,226
32.968421
115
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/sync_batchnorm/unittest.py
# -*- coding: utf-8 -*- # File : unittest.py # Author : Jiayuan Mao # Email : maojiayuan@gmail.com # Date : 27/01/2018 # # This file is part of Synchronized-BatchNorm-PyTorch. # https://github.com/vacancy/Synchronized-BatchNorm-PyTorch # Distributed under MIT License. import unittest import torch class TorchTestCase(unittest.TestCase): def assertTensorClose(self, x, y): adiff = float((x - y).abs().max()) if (y == 0).all(): rdiff = 'NaN' else: rdiff = float((adiff / y).abs().max()) message = ( 'Tensor close check failed\n' 'adiff={}\n' 'rdiff={}\n' ).format(adiff, rdiff) self.assertTrue(torch.allclose(x, y), message)
746
23.9
59
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/sync_batchnorm/batchnorm.py
# -*- coding: utf-8 -*- # File : batchnorm.py # Author : Jiayuan Mao # Email : maojiayuan@gmail.com # Date : 27/01/2018 # # This file is part of Synchronized-BatchNorm-PyTorch. # https://github.com/vacancy/Synchronized-BatchNorm-PyTorch # Distributed under MIT License. import collections import torch import torch.nn.functional as F from torch.nn.modules.batchnorm import _BatchNorm from torch.nn.parallel._functions import ReduceAddCoalesced, Broadcast from .comm import SyncMaster __all__ = ['SynchronizedBatchNorm1d', 'SynchronizedBatchNorm2d', 'SynchronizedBatchNorm3d'] def _sum_ft(tensor): """sum over the first and last dimention""" return tensor.sum(dim=0).sum(dim=-1) def _unsqueeze_ft(tensor): """add new dementions at the front and the tail""" return tensor.unsqueeze(0).unsqueeze(-1) _ChildMessage = collections.namedtuple('_ChildMessage', ['sum', 'ssum', 'sum_size']) _MasterMessage = collections.namedtuple('_MasterMessage', ['sum', 'inv_std']) # _MasterMessage = collections.namedtuple('_MasterMessage', ['sum', 'ssum', 'sum_size']) class _SynchronizedBatchNorm(_BatchNorm): def __init__(self, num_features, eps=1e-5, momentum=0.1, affine=True): super(_SynchronizedBatchNorm, self).__init__(num_features, eps=eps, momentum=momentum, affine=affine) self._sync_master = SyncMaster(self._data_parallel_master) self._is_parallel = False self._parallel_id = None self._slave_pipe = None def forward(self, input, gain=None, bias=None): # If it is not parallel computation or is in evaluation mode, use PyTorch's implementation. if not (self._is_parallel and self.training): out = F.batch_norm( input, self.running_mean, self.running_var, self.weight, self.bias, self.training, self.momentum, self.eps) if gain is not None: out = out + gain if bias is not None: out = out + bias return out # Resize the input to (B, C, -1). input_shape = input.size() # print(input_shape) input = input.view(input.size(0), input.size(1), -1) # Compute the sum and square-sum. sum_size = input.size(0) * input.size(2) input_sum = _sum_ft(input) input_ssum = _sum_ft(input ** 2) # Reduce-and-broadcast the statistics. # print('it begins') if self._parallel_id == 0: mean, inv_std = self._sync_master.run_master(_ChildMessage(input_sum, input_ssum, sum_size)) else: mean, inv_std = self._slave_pipe.run_slave(_ChildMessage(input_sum, input_ssum, sum_size)) # if self._parallel_id == 0: # # print('here') # sum, ssum, num = self._sync_master.run_master(_ChildMessage(input_sum, input_ssum, sum_size)) # else: # # print('there') # sum, ssum, num = self._slave_pipe.run_slave(_ChildMessage(input_sum, input_ssum, sum_size)) # print('how2') # num = sum_size # print('Sum: %f, ssum: %f, sumsize: %f, insum: %f' %(float(sum.sum().cpu()), float(ssum.sum().cpu()), float(sum_size), float(input_sum.sum().cpu()))) # Fix the graph # sum = (sum.detach() - input_sum.detach()) + input_sum # ssum = (ssum.detach() - input_ssum.detach()) + input_ssum # mean = sum / num # var = ssum / num - mean ** 2 # # var = (ssum - mean * sum) / num # inv_std = torch.rsqrt(var + self.eps) # Compute the output. if gain is not None: # print('gaining') # scale = _unsqueeze_ft(inv_std) * gain.squeeze(-1) # shift = _unsqueeze_ft(mean) * scale - bias.squeeze(-1) # output = input * scale - shift output = (input - _unsqueeze_ft(mean)) * (_unsqueeze_ft(inv_std) * gain.squeeze(-1)) + bias.squeeze(-1) elif self.affine: # MJY:: Fuse the multiplication for speed. output = (input - _unsqueeze_ft(mean)) * _unsqueeze_ft(inv_std * self.weight) + _unsqueeze_ft(self.bias) else: output = (input - _unsqueeze_ft(mean)) * _unsqueeze_ft(inv_std) # Reshape it. return output.view(input_shape) def __data_parallel_replicate__(self, ctx, copy_id): self._is_parallel = True self._parallel_id = copy_id # parallel_id == 0 means master device. if self._parallel_id == 0: ctx.sync_master = self._sync_master else: self._slave_pipe = ctx.sync_master.register_slave(copy_id) def _data_parallel_master(self, intermediates): """Reduce the sum and square-sum, compute the statistics, and broadcast it.""" # Always using same "device order" makes the ReduceAdd operation faster. # Thanks to:: Tete Xiao (http://tetexiao.com/) intermediates = sorted(intermediates, key=lambda i: i[1].sum.get_device()) to_reduce = [i[1][:2] for i in intermediates] to_reduce = [j for i in to_reduce for j in i] # flatten target_gpus = [i[1].sum.get_device() for i in intermediates] sum_size = sum([i[1].sum_size for i in intermediates]) sum_, ssum = ReduceAddCoalesced.apply(target_gpus[0], 2, *to_reduce) mean, inv_std = self._compute_mean_std(sum_, ssum, sum_size) broadcasted = Broadcast.apply(target_gpus, mean, inv_std) # print('a') # print(type(sum_), type(ssum), type(sum_size), sum_.shape, ssum.shape, sum_size) # broadcasted = Broadcast.apply(target_gpus, sum_, ssum, torch.tensor(sum_size).float().to(sum_.device)) # print('b') outputs = [] for i, rec in enumerate(intermediates): outputs.append((rec[0], _MasterMessage(*broadcasted[i*2:i*2+2]))) # outputs.append((rec[0], _MasterMessage(*broadcasted[i*3:i*3+3]))) return outputs def _compute_mean_std(self, sum_, ssum, size): """Compute the mean and standard-deviation with sum and square-sum. This method also maintains the moving average on the master device.""" assert size > 1, 'BatchNorm computes unbiased standard-deviation, which requires size > 1.' mean = sum_ / size sumvar = ssum - sum_ * mean unbias_var = sumvar / (size - 1) bias_var = sumvar / size self.running_mean = (1 - self.momentum) * self.running_mean + self.momentum * mean.data self.running_var = (1 - self.momentum) * self.running_var + self.momentum * unbias_var.data return mean, torch.rsqrt(bias_var + self.eps) # return mean, bias_var.clamp(self.eps) ** -0.5 class SynchronizedBatchNorm1d(_SynchronizedBatchNorm): r"""Applies Synchronized Batch Normalization over a 2d or 3d input that is seen as a mini-batch. .. math:: y = \frac{x - mean[x]}{ \sqrt{Var[x] + \epsilon}} * gamma + beta This module differs from the built-in PyTorch BatchNorm1d as the mean and standard-deviation are reduced across all devices during training. For example, when one uses `nn.DataParallel` to wrap the network during training, PyTorch's implementation normalize the tensor on each device using the statistics only on that device, which accelerated the computation and is also easy to implement, but the statistics might be inaccurate. Instead, in this synchronized version, the statistics will be computed over all training samples distributed on multiple devices. Note that, for one-GPU or CPU-only case, this module behaves exactly same as the built-in PyTorch implementation. The mean and standard-deviation are calculated per-dimension over the mini-batches and gamma and beta are learnable parameter vectors of size C (where C is the input size). During training, this layer keeps a running estimate of its computed mean and variance. The running sum is kept with a default momentum of 0.1. During evaluation, this running mean/variance is used for normalization. Because the BatchNorm is done over the `C` dimension, computing statistics on `(N, L)` slices, it's common terminology to call this Temporal BatchNorm Args: num_features: num_features from an expected input of size `batch_size x num_features [x width]` eps: a value added to the denominator for numerical stability. Default: 1e-5 momentum: the value used for the running_mean and running_var computation. Default: 0.1 affine: a boolean value that when set to ``True``, gives the layer learnable affine parameters. Default: ``True`` Shape: - Input: :math:`(N, C)` or :math:`(N, C, L)` - Output: :math:`(N, C)` or :math:`(N, C, L)` (same shape as input) Examples: >>> # With Learnable Parameters >>> m = SynchronizedBatchNorm1d(100) >>> # Without Learnable Parameters >>> m = SynchronizedBatchNorm1d(100, affine=False) >>> input = torch.autograd.Variable(torch.randn(20, 100)) >>> output = m(input) """ def _check_input_dim(self, input): if input.dim() != 2 and input.dim() != 3: raise ValueError('expected 2D or 3D input (got {}D input)' .format(input.dim())) super(SynchronizedBatchNorm1d, self)._check_input_dim(input) class SynchronizedBatchNorm2d(_SynchronizedBatchNorm): r"""Applies Batch Normalization over a 4d input that is seen as a mini-batch of 3d inputs .. math:: y = \frac{x - mean[x]}{ \sqrt{Var[x] + \epsilon}} * gamma + beta This module differs from the built-in PyTorch BatchNorm2d as the mean and standard-deviation are reduced across all devices during training. For example, when one uses `nn.DataParallel` to wrap the network during training, PyTorch's implementation normalize the tensor on each device using the statistics only on that device, which accelerated the computation and is also easy to implement, but the statistics might be inaccurate. Instead, in this synchronized version, the statistics will be computed over all training samples distributed on multiple devices. Note that, for one-GPU or CPU-only case, this module behaves exactly same as the built-in PyTorch implementation. The mean and standard-deviation are calculated per-dimension over the mini-batches and gamma and beta are learnable parameter vectors of size C (where C is the input size). During training, this layer keeps a running estimate of its computed mean and variance. The running sum is kept with a default momentum of 0.1. During evaluation, this running mean/variance is used for normalization. Because the BatchNorm is done over the `C` dimension, computing statistics on `(N, H, W)` slices, it's common terminology to call this Spatial BatchNorm Args: num_features: num_features from an expected input of size batch_size x num_features x height x width eps: a value added to the denominator for numerical stability. Default: 1e-5 momentum: the value used for the running_mean and running_var computation. Default: 0.1 affine: a boolean value that when set to ``True``, gives the layer learnable affine parameters. Default: ``True`` Shape: - Input: :math:`(N, C, H, W)` - Output: :math:`(N, C, H, W)` (same shape as input) Examples: >>> # With Learnable Parameters >>> m = SynchronizedBatchNorm2d(100) >>> # Without Learnable Parameters >>> m = SynchronizedBatchNorm2d(100, affine=False) >>> input = torch.autograd.Variable(torch.randn(20, 100, 35, 45)) >>> output = m(input) """ def _check_input_dim(self, input): if input.dim() != 4: raise ValueError('expected 4D input (got {}D input)' .format(input.dim())) super(SynchronizedBatchNorm2d, self)._check_input_dim(input) class SynchronizedBatchNorm3d(_SynchronizedBatchNorm): r"""Applies Batch Normalization over a 5d input that is seen as a mini-batch of 4d inputs .. math:: y = \frac{x - mean[x]}{ \sqrt{Var[x] + \epsilon}} * gamma + beta This module differs from the built-in PyTorch BatchNorm3d as the mean and standard-deviation are reduced across all devices during training. For example, when one uses `nn.DataParallel` to wrap the network during training, PyTorch's implementation normalize the tensor on each device using the statistics only on that device, which accelerated the computation and is also easy to implement, but the statistics might be inaccurate. Instead, in this synchronized version, the statistics will be computed over all training samples distributed on multiple devices. Note that, for one-GPU or CPU-only case, this module behaves exactly same as the built-in PyTorch implementation. The mean and standard-deviation are calculated per-dimension over the mini-batches and gamma and beta are learnable parameter vectors of size C (where C is the input size). During training, this layer keeps a running estimate of its computed mean and variance. The running sum is kept with a default momentum of 0.1. During evaluation, this running mean/variance is used for normalization. Because the BatchNorm is done over the `C` dimension, computing statistics on `(N, D, H, W)` slices, it's common terminology to call this Volumetric BatchNorm or Spatio-temporal BatchNorm Args: num_features: num_features from an expected input of size batch_size x num_features x depth x height x width eps: a value added to the denominator for numerical stability. Default: 1e-5 momentum: the value used for the running_mean and running_var computation. Default: 0.1 affine: a boolean value that when set to ``True``, gives the layer learnable affine parameters. Default: ``True`` Shape: - Input: :math:`(N, C, D, H, W)` - Output: :math:`(N, C, D, H, W)` (same shape as input) Examples: >>> # With Learnable Parameters >>> m = SynchronizedBatchNorm3d(100) >>> # Without Learnable Parameters >>> m = SynchronizedBatchNorm3d(100, affine=False) >>> input = torch.autograd.Variable(torch.randn(20, 100, 35, 45, 10)) >>> output = m(input) """ def _check_input_dim(self, input): if input.dim() != 5: raise ValueError('expected 5D input (got {}D input)' .format(input.dim())) super(SynchronizedBatchNorm3d, self)._check_input_dim(input)
14,882
41.644699
159
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/sync_batchnorm/batchnorm_reimpl.py
#! /usr/bin/env python3 # -*- coding: utf-8 -*- # File : batchnorm_reimpl.py # Author : acgtyrant # Date : 11/01/2018 # # This file is part of Synchronized-BatchNorm-PyTorch. # https://github.com/vacancy/Synchronized-BatchNorm-PyTorch # Distributed under MIT License. import torch import torch.nn as nn import torch.nn.init as init __all__ = ['BatchNormReimpl'] class BatchNorm2dReimpl(nn.Module): """ A re-implementation of batch normalization, used for testing the numerical stability. Author: acgtyrant See also: https://github.com/vacancy/Synchronized-BatchNorm-PyTorch/issues/14 """ def __init__(self, num_features, eps=1e-5, momentum=0.1): super().__init__() self.num_features = num_features self.eps = eps self.momentum = momentum self.weight = nn.Parameter(torch.empty(num_features)) self.bias = nn.Parameter(torch.empty(num_features)) self.register_buffer('running_mean', torch.zeros(num_features)) self.register_buffer('running_var', torch.ones(num_features)) self.reset_parameters() def reset_running_stats(self): self.running_mean.zero_() self.running_var.fill_(1) def reset_parameters(self): self.reset_running_stats() init.uniform_(self.weight) init.zeros_(self.bias) def forward(self, input_): batchsize, channels, height, width = input_.size() numel = batchsize * height * width input_ = input_.permute(1, 0, 2, 3).contiguous().view(channels, numel) sum_ = input_.sum(1) sum_of_square = input_.pow(2).sum(1) mean = sum_ / numel sumvar = sum_of_square - sum_ * mean self.running_mean = ( (1 - self.momentum) * self.running_mean + self.momentum * mean.detach() ) unbias_var = sumvar / (numel - 1) self.running_var = ( (1 - self.momentum) * self.running_var + self.momentum * unbias_var.detach() ) bias_var = sumvar / numel inv_std = 1 / (bias_var + self.eps).pow(0.5) output = ( (input_ - mean.unsqueeze(1)) * inv_std.unsqueeze(1) * self.weight.unsqueeze(1) + self.bias.unsqueeze(1)) return output.view(channels, batchsize, height, width).permute(1, 0, 2, 3).contiguous()
2,383
30.786667
95
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/TFHub/biggan_v1.py
# BigGAN V1: # This is now deprecated code used for porting the TFHub modules to pytorch, # included here for reference only. import numpy as np import torch from scipy.stats import truncnorm from torch import nn from torch.nn import Parameter from torch.nn import functional as F def l2normalize(v, eps=1e-4): return v / (v.norm() + eps) def truncated_z_sample(batch_size, z_dim, truncation=0.5, seed=None): state = None if seed is None else np.random.RandomState(seed) values = truncnorm.rvs(-2, 2, size=(batch_size, z_dim), random_state=state) return truncation * values def denorm(x): out = (x + 1) / 2 return out.clamp_(0, 1) class SpectralNorm(nn.Module): def __init__(self, module, name='weight', power_iterations=1): super(SpectralNorm, self).__init__() self.module = module self.name = name self.power_iterations = power_iterations if not self._made_params(): self._make_params() def _update_u_v(self): u = getattr(self.module, self.name + "_u") v = getattr(self.module, self.name + "_v") w = getattr(self.module, self.name + "_bar") height = w.data.shape[0] _w = w.view(height, -1) for _ in range(self.power_iterations): v = l2normalize(torch.matmul(_w.t(), u)) u = l2normalize(torch.matmul(_w, v)) sigma = u.dot((_w).mv(v)) setattr(self.module, self.name, w / sigma.expand_as(w)) def _made_params(self): try: getattr(self.module, self.name + "_u") getattr(self.module, self.name + "_v") getattr(self.module, self.name + "_bar") return True except AttributeError: return False def _make_params(self): w = getattr(self.module, self.name) height = w.data.shape[0] width = w.view(height, -1).data.shape[1] u = Parameter(w.data.new(height).normal_(0, 1), requires_grad=False) v = Parameter(w.data.new(height).normal_(0, 1), requires_grad=False) u.data = l2normalize(u.data) v.data = l2normalize(v.data) w_bar = Parameter(w.data) del self.module._parameters[self.name] self.module.register_parameter(self.name + "_u", u) self.module.register_parameter(self.name + "_v", v) self.module.register_parameter(self.name + "_bar", w_bar) def forward(self, *args): self._update_u_v() return self.module.forward(*args) class SelfAttention(nn.Module): """ Self Attention Layer""" def __init__(self, in_dim, activation=F.relu): super().__init__() self.chanel_in = in_dim self.activation = activation self.theta = SpectralNorm(nn.Conv2d(in_channels=in_dim, out_channels=in_dim // 8, kernel_size=1, bias=False)) self.phi = SpectralNorm(nn.Conv2d(in_channels=in_dim, out_channels=in_dim // 8, kernel_size=1, bias=False)) self.pool = nn.MaxPool2d(2, 2) self.g = SpectralNorm(nn.Conv2d(in_channels=in_dim, out_channels=in_dim // 2, kernel_size=1, bias=False)) self.o_conv = SpectralNorm(nn.Conv2d(in_channels=in_dim // 2, out_channels=in_dim, kernel_size=1, bias=False)) self.gamma = nn.Parameter(torch.zeros(1)) self.softmax = nn.Softmax(dim=-1) def forward(self, x): m_batchsize, C, width, height = x.size() N = height * width theta = self.theta(x) phi = self.phi(x) phi = self.pool(phi) phi = phi.view(m_batchsize, -1, N // 4) theta = theta.view(m_batchsize, -1, N) theta = theta.permute(0, 2, 1) attention = self.softmax(torch.bmm(theta, phi)) g = self.pool(self.g(x)).view(m_batchsize, -1, N // 4) attn_g = torch.bmm(g, attention.permute(0, 2, 1)).view(m_batchsize, -1, width, height) out = self.o_conv(attn_g) return self.gamma * out + x class ConditionalBatchNorm2d(nn.Module): def __init__(self, num_features, num_classes, eps=1e-4, momentum=0.1): super().__init__() self.num_features = num_features self.bn = nn.BatchNorm2d(num_features, affine=False, eps=eps, momentum=momentum) self.gamma_embed = SpectralNorm(nn.Linear(num_classes, num_features, bias=False)) self.beta_embed = SpectralNorm(nn.Linear(num_classes, num_features, bias=False)) def forward(self, x, y): out = self.bn(x) gamma = self.gamma_embed(y) + 1 beta = self.beta_embed(y) out = gamma.view(-1, self.num_features, 1, 1) * out + beta.view(-1, self.num_features, 1, 1) return out class GBlock(nn.Module): def __init__( self, in_channel, out_channel, kernel_size=[3, 3], padding=1, stride=1, n_class=None, bn=True, activation=F.relu, upsample=True, downsample=False, z_dim=148, ): super().__init__() self.conv0 = SpectralNorm( nn.Conv2d(in_channel, out_channel, kernel_size, stride, padding, bias=True if bn else True) ) self.conv1 = SpectralNorm( nn.Conv2d(out_channel, out_channel, kernel_size, stride, padding, bias=True if bn else True) ) self.skip_proj = False if in_channel != out_channel or upsample or downsample: self.conv_sc = SpectralNorm(nn.Conv2d(in_channel, out_channel, 1, 1, 0)) self.skip_proj = True self.upsample = upsample self.downsample = downsample self.activation = activation self.bn = bn if bn: self.HyperBN = ConditionalBatchNorm2d(in_channel, z_dim) self.HyperBN_1 = ConditionalBatchNorm2d(out_channel, z_dim) def forward(self, input, condition=None): out = input if self.bn: out = self.HyperBN(out, condition) out = self.activation(out) if self.upsample: out = F.interpolate(out, scale_factor=2) out = self.conv0(out) if self.bn: out = self.HyperBN_1(out, condition) out = self.activation(out) out = self.conv1(out) if self.downsample: out = F.avg_pool2d(out, 2) if self.skip_proj: skip = input if self.upsample: skip = F.interpolate(skip, scale_factor=2) skip = self.conv_sc(skip) if self.downsample: skip = F.avg_pool2d(skip, 2) else: skip = input return out + skip class Generator128(nn.Module): def __init__(self, code_dim=120, n_class=1000, chn=96, debug=False): super().__init__() self.linear = nn.Linear(n_class, 128, bias=False) if debug: chn = 8 self.first_view = 16 * chn self.G_linear = SpectralNorm(nn.Linear(20, 4 * 4 * 16 * chn)) z_dim = code_dim + 28 self.GBlock = nn.ModuleList([ GBlock(16 * chn, 16 * chn, n_class=n_class, z_dim=z_dim), GBlock(16 * chn, 8 * chn, n_class=n_class, z_dim=z_dim), GBlock(8 * chn, 4 * chn, n_class=n_class, z_dim=z_dim), GBlock(4 * chn, 2 * chn, n_class=n_class, z_dim=z_dim), GBlock(2 * chn, 1 * chn, n_class=n_class, z_dim=z_dim), ]) self.sa_id = 4 self.num_split = len(self.GBlock) + 1 self.attention = SelfAttention(2 * chn) self.ScaledCrossReplicaBN = nn.BatchNorm2d(1 * chn, eps=1e-4) self.colorize = SpectralNorm(nn.Conv2d(1 * chn, 3, [3, 3], padding=1)) def forward(self, input, class_id): codes = torch.chunk(input, self.num_split, 1) class_emb = self.linear(class_id) # 128 out = self.G_linear(codes[0]) out = out.view(-1, 4, 4, self.first_view).permute(0, 3, 1, 2) for i, (code, GBlock) in enumerate(zip(codes[1:], self.GBlock)): if i == self.sa_id: out = self.attention(out) condition = torch.cat([code, class_emb], 1) out = GBlock(out, condition) out = self.ScaledCrossReplicaBN(out) out = F.relu(out) out = self.colorize(out) return torch.tanh(out) class Generator256(nn.Module): def __init__(self, code_dim=140, n_class=1000, chn=96, debug=False): super().__init__() self.linear = nn.Linear(n_class, 128, bias=False) if debug: chn = 8 self.first_view = 16 * chn self.G_linear = SpectralNorm(nn.Linear(20, 4 * 4 * 16 * chn)) self.GBlock = nn.ModuleList([ GBlock(16 * chn, 16 * chn, n_class=n_class), GBlock(16 * chn, 8 * chn, n_class=n_class), GBlock(8 * chn, 8 * chn, n_class=n_class), GBlock(8 * chn, 4 * chn, n_class=n_class), GBlock(4 * chn, 2 * chn, n_class=n_class), GBlock(2 * chn, 1 * chn, n_class=n_class), ]) self.sa_id = 5 self.num_split = len(self.GBlock) + 1 self.attention = SelfAttention(2 * chn) self.ScaledCrossReplicaBN = nn.BatchNorm2d(1 * chn, eps=1e-4) self.colorize = SpectralNorm(nn.Conv2d(1 * chn, 3, [3, 3], padding=1)) def forward(self, input, class_id): codes = torch.chunk(input, self.num_split, 1) class_emb = self.linear(class_id) # 128 out = self.G_linear(codes[0]) out = out.view(-1, 4, 4, self.first_view).permute(0, 3, 1, 2) for i, (code, GBlock) in enumerate(zip(codes[1:], self.GBlock)): if i == self.sa_id: out = self.attention(out) condition = torch.cat([code, class_emb], 1) out = GBlock(out, condition) out = self.ScaledCrossReplicaBN(out) out = F.relu(out) out = self.colorize(out) return torch.tanh(out) class Generator512(nn.Module): def __init__(self, code_dim=128, n_class=1000, chn=96, debug=False): super().__init__() self.linear = nn.Linear(n_class, 128, bias=False) if debug: chn = 8 self.first_view = 16 * chn self.G_linear = SpectralNorm(nn.Linear(16, 4 * 4 * 16 * chn)) z_dim = code_dim + 16 self.GBlock = nn.ModuleList([ GBlock(16 * chn, 16 * chn, n_class=n_class, z_dim=z_dim), GBlock(16 * chn, 8 * chn, n_class=n_class, z_dim=z_dim), GBlock(8 * chn, 8 * chn, n_class=n_class, z_dim=z_dim), GBlock(8 * chn, 4 * chn, n_class=n_class, z_dim=z_dim), GBlock(4 * chn, 2 * chn, n_class=n_class, z_dim=z_dim), GBlock(2 * chn, 1 * chn, n_class=n_class, z_dim=z_dim), GBlock(1 * chn, 1 * chn, n_class=n_class, z_dim=z_dim), ]) self.sa_id = 4 self.num_split = len(self.GBlock) + 1 self.attention = SelfAttention(4 * chn) self.ScaledCrossReplicaBN = nn.BatchNorm2d(1 * chn) self.colorize = SpectralNorm(nn.Conv2d(1 * chn, 3, [3, 3], padding=1)) def forward(self, input, class_id): codes = torch.chunk(input, self.num_split, 1) class_emb = self.linear(class_id) # 128 out = self.G_linear(codes[0]) out = out.view(-1, 4, 4, self.first_view).permute(0, 3, 1, 2) for i, (code, GBlock) in enumerate(zip(codes[1:], self.GBlock)): if i == self.sa_id: out = self.attention(out) condition = torch.cat([code, class_emb], 1) out = GBlock(out, condition) out = self.ScaledCrossReplicaBN(out) out = F.relu(out) out = self.colorize(out) return torch.tanh(out) class Discriminator(nn.Module): def __init__(self, n_class=1000, chn=96, debug=False): super().__init__() def conv(in_channel, out_channel, downsample=True): return GBlock(in_channel, out_channel, bn=False, upsample=False, downsample=downsample) if debug: chn = 8 self.debug = debug self.pre_conv = nn.Sequential( SpectralNorm(nn.Conv2d(3, 1 * chn, 3, padding=1)), nn.ReLU(), SpectralNorm(nn.Conv2d(1 * chn, 1 * chn, 3, padding=1)), nn.AvgPool2d(2), ) self.pre_skip = SpectralNorm(nn.Conv2d(3, 1 * chn, 1)) self.conv = nn.Sequential( conv(1 * chn, 1 * chn, downsample=True), conv(1 * chn, 2 * chn, downsample=True), SelfAttention(2 * chn), conv(2 * chn, 2 * chn, downsample=True), conv(2 * chn, 4 * chn, downsample=True), conv(4 * chn, 8 * chn, downsample=True), conv(8 * chn, 8 * chn, downsample=True), conv(8 * chn, 16 * chn, downsample=True), conv(16 * chn, 16 * chn, downsample=False), ) self.linear = SpectralNorm(nn.Linear(16 * chn, 1)) self.embed = nn.Embedding(n_class, 16 * chn) self.embed.weight.data.uniform_(-0.1, 0.1) self.embed = SpectralNorm(self.embed) def forward(self, input, class_id): out = self.pre_conv(input) out += self.pre_skip(F.avg_pool2d(input, 2)) out = self.conv(out) out = F.relu(out) out = out.view(out.size(0), out.size(1), -1) out = out.sum(2) out_linear = self.linear(out).squeeze(1) embed = self.embed(class_id) prod = (out * embed).sum(1) return out_linear + prod
12,173
30.29563
114
py
cGAN-KD
cGAN-KD-main/CIFAR-100/BigGAN/TFHub/converter.py
"""Utilities for converting TFHub BigGAN generator weights to PyTorch. Recommended usage: To convert all BigGAN variants and generate test samples, use: ```bash CUDA_VISIBLE_DEVICES=0 python converter.py --generate_samples ``` See `parse_args` for additional options. """ import argparse import os import sys import h5py import torch import torch.nn as nn from torchvision.utils import save_image import tensorflow as tf import tensorflow_hub as hub import parse # import reference biggan from this folder import biggan_v1 as biggan_for_conversion # Import model from main folder sys.path.append('..') import BigGAN DEVICE = 'cuda' HDF5_TMPL = 'biggan-{}.h5' PTH_TMPL = 'biggan-{}.pth' MODULE_PATH_TMPL = 'https://tfhub.dev/deepmind/biggan-{}/2' Z_DIMS = { 128: 120, 256: 140, 512: 128} RESOLUTIONS = list(Z_DIMS) def dump_tfhub_to_hdf5(module_path, hdf5_path, redownload=False): """Loads TFHub weights and saves them to intermediate HDF5 file. Args: module_path ([Path-like]): Path to TFHub module. hdf5_path ([Path-like]): Path to output HDF5 file. Returns: [h5py.File]: Loaded hdf5 file containing module weights. """ if os.path.exists(hdf5_path) and (not redownload): print('Loading BigGAN hdf5 file from:', hdf5_path) return h5py.File(hdf5_path, 'r') print('Loading BigGAN module from:', module_path) tf.reset_default_graph() hub.Module(module_path) print('Loaded BigGAN module from:', module_path) initializer = tf.global_variables_initializer() sess = tf.Session() sess.run(initializer) print('Saving BigGAN weights to :', hdf5_path) h5f = h5py.File(hdf5_path, 'w') for var in tf.global_variables(): val = sess.run(var) h5f.create_dataset(var.name, data=val) print(f'Saving {var.name} with shape {val.shape}') h5f.close() return h5py.File(hdf5_path, 'r') class TFHub2Pytorch(object): TF_ROOT = 'module' NUM_GBLOCK = { 128: 5, 256: 6, 512: 7 } w = 'w' b = 'b' u = 'u0' v = 'u1' gamma = 'gamma' beta = 'beta' def __init__(self, state_dict, tf_weights, resolution=256, load_ema=True, verbose=False): self.state_dict = state_dict self.tf_weights = tf_weights self.resolution = resolution self.verbose = verbose if load_ema: for name in ['w', 'b', 'gamma', 'beta']: setattr(self, name, getattr(self, name) + '/ema_b999900') def load(self): self.load_generator() return self.state_dict def load_generator(self): GENERATOR_ROOT = os.path.join(self.TF_ROOT, 'Generator') for i in range(self.NUM_GBLOCK[self.resolution]): name_tf = os.path.join(GENERATOR_ROOT, 'GBlock') name_tf += f'_{i}' if i != 0 else '' self.load_GBlock(f'GBlock.{i}.', name_tf) self.load_attention('attention.', os.path.join(GENERATOR_ROOT, 'attention')) self.load_linear('linear', os.path.join(self.TF_ROOT, 'linear'), bias=False) self.load_snlinear('G_linear', os.path.join(GENERATOR_ROOT, 'G_Z', 'G_linear')) self.load_colorize('colorize', os.path.join(GENERATOR_ROOT, 'conv_2d')) self.load_ScaledCrossReplicaBNs('ScaledCrossReplicaBN', os.path.join(GENERATOR_ROOT, 'ScaledCrossReplicaBN')) def load_linear(self, name_pth, name_tf, bias=True): self.state_dict[name_pth + '.weight'] = self.load_tf_tensor(name_tf, self.w).permute(1, 0) if bias: self.state_dict[name_pth + '.bias'] = self.load_tf_tensor(name_tf, self.b) def load_snlinear(self, name_pth, name_tf, bias=True): self.state_dict[name_pth + '.module.weight_u'] = self.load_tf_tensor(name_tf, self.u).squeeze() self.state_dict[name_pth + '.module.weight_v'] = self.load_tf_tensor(name_tf, self.v).squeeze() self.state_dict[name_pth + '.module.weight_bar'] = self.load_tf_tensor(name_tf, self.w).permute(1, 0) if bias: self.state_dict[name_pth + '.module.bias'] = self.load_tf_tensor(name_tf, self.b) def load_colorize(self, name_pth, name_tf): self.load_snconv(name_pth, name_tf) def load_GBlock(self, name_pth, name_tf): self.load_convs(name_pth, name_tf) self.load_HyperBNs(name_pth, name_tf) def load_convs(self, name_pth, name_tf): self.load_snconv(name_pth + 'conv0', os.path.join(name_tf, 'conv0')) self.load_snconv(name_pth + 'conv1', os.path.join(name_tf, 'conv1')) self.load_snconv(name_pth + 'conv_sc', os.path.join(name_tf, 'conv_sc')) def load_snconv(self, name_pth, name_tf, bias=True): if self.verbose: print(f'loading: {name_pth} from {name_tf}') self.state_dict[name_pth + '.module.weight_u'] = self.load_tf_tensor(name_tf, self.u).squeeze() self.state_dict[name_pth + '.module.weight_v'] = self.load_tf_tensor(name_tf, self.v).squeeze() self.state_dict[name_pth + '.module.weight_bar'] = self.load_tf_tensor(name_tf, self.w).permute(3, 2, 0, 1) if bias: self.state_dict[name_pth + '.module.bias'] = self.load_tf_tensor(name_tf, self.b).squeeze() def load_conv(self, name_pth, name_tf, bias=True): self.state_dict[name_pth + '.weight_u'] = self.load_tf_tensor(name_tf, self.u).squeeze() self.state_dict[name_pth + '.weight_v'] = self.load_tf_tensor(name_tf, self.v).squeeze() self.state_dict[name_pth + '.weight_bar'] = self.load_tf_tensor(name_tf, self.w).permute(3, 2, 0, 1) if bias: self.state_dict[name_pth + '.bias'] = self.load_tf_tensor(name_tf, self.b) def load_HyperBNs(self, name_pth, name_tf): self.load_HyperBN(name_pth + 'HyperBN', os.path.join(name_tf, 'HyperBN')) self.load_HyperBN(name_pth + 'HyperBN_1', os.path.join(name_tf, 'HyperBN_1')) def load_ScaledCrossReplicaBNs(self, name_pth, name_tf): self.state_dict[name_pth + '.bias'] = self.load_tf_tensor(name_tf, self.beta).squeeze() self.state_dict[name_pth + '.weight'] = self.load_tf_tensor(name_tf, self.gamma).squeeze() self.state_dict[name_pth + '.running_mean'] = self.load_tf_tensor(name_tf + 'bn', 'accumulated_mean') self.state_dict[name_pth + '.running_var'] = self.load_tf_tensor(name_tf + 'bn', 'accumulated_var') self.state_dict[name_pth + '.num_batches_tracked'] = torch.tensor( self.tf_weights[os.path.join(name_tf + 'bn', 'accumulation_counter:0')][()], dtype=torch.float32) def load_HyperBN(self, name_pth, name_tf): if self.verbose: print(f'loading: {name_pth} from {name_tf}') beta = name_pth + '.beta_embed.module' gamma = name_pth + '.gamma_embed.module' self.state_dict[beta + '.weight_u'] = self.load_tf_tensor(os.path.join(name_tf, 'beta'), self.u).squeeze() self.state_dict[gamma + '.weight_u'] = self.load_tf_tensor(os.path.join(name_tf, 'gamma'), self.u).squeeze() self.state_dict[beta + '.weight_v'] = self.load_tf_tensor(os.path.join(name_tf, 'beta'), self.v).squeeze() self.state_dict[gamma + '.weight_v'] = self.load_tf_tensor(os.path.join(name_tf, 'gamma'), self.v).squeeze() self.state_dict[beta + '.weight_bar'] = self.load_tf_tensor(os.path.join(name_tf, 'beta'), self.w).permute(1, 0) self.state_dict[gamma + '.weight_bar'] = self.load_tf_tensor(os.path.join(name_tf, 'gamma'), self.w).permute(1, 0) cr_bn_name = name_tf.replace('HyperBN', 'CrossReplicaBN') self.state_dict[name_pth + '.bn.running_mean'] = self.load_tf_tensor(cr_bn_name, 'accumulated_mean') self.state_dict[name_pth + '.bn.running_var'] = self.load_tf_tensor(cr_bn_name, 'accumulated_var') self.state_dict[name_pth + '.bn.num_batches_tracked'] = torch.tensor( self.tf_weights[os.path.join(cr_bn_name, 'accumulation_counter:0')][()], dtype=torch.float32) def load_attention(self, name_pth, name_tf): self.load_snconv(name_pth + 'theta', os.path.join(name_tf, 'theta'), bias=False) self.load_snconv(name_pth + 'phi', os.path.join(name_tf, 'phi'), bias=False) self.load_snconv(name_pth + 'g', os.path.join(name_tf, 'g'), bias=False) self.load_snconv(name_pth + 'o_conv', os.path.join(name_tf, 'o_conv'), bias=False) self.state_dict[name_pth + 'gamma'] = self.load_tf_tensor(name_tf, self.gamma) def load_tf_tensor(self, prefix, var, device='0'): name = os.path.join(prefix, var) + f':{device}' return torch.from_numpy(self.tf_weights[name][:]) # Convert from v1: This function maps def convert_from_v1(hub_dict, resolution=128): weightname_dict = {'weight_u': 'u0', 'weight_bar': 'weight', 'bias': 'bias'} convnum_dict = {'conv0': 'conv1', 'conv1': 'conv2', 'conv_sc': 'conv_sc'} attention_blocknum = {128: 3, 256: 4, 512: 3}[resolution] hub2me = {'linear.weight': 'shared.weight', # This is actually the shared weight # Linear stuff 'G_linear.module.weight_bar': 'linear.weight', 'G_linear.module.bias': 'linear.bias', 'G_linear.module.weight_u': 'linear.u0', # output layer stuff 'ScaledCrossReplicaBN.weight': 'output_layer.0.gain', 'ScaledCrossReplicaBN.bias': 'output_layer.0.bias', 'ScaledCrossReplicaBN.running_mean': 'output_layer.0.stored_mean', 'ScaledCrossReplicaBN.running_var': 'output_layer.0.stored_var', 'colorize.module.weight_bar': 'output_layer.2.weight', 'colorize.module.bias': 'output_layer.2.bias', 'colorize.module.weight_u': 'output_layer.2.u0', # Attention stuff 'attention.gamma': 'blocks.%d.1.gamma' % attention_blocknum, 'attention.theta.module.weight_u': 'blocks.%d.1.theta.u0' % attention_blocknum, 'attention.theta.module.weight_bar': 'blocks.%d.1.theta.weight' % attention_blocknum, 'attention.phi.module.weight_u': 'blocks.%d.1.phi.u0' % attention_blocknum, 'attention.phi.module.weight_bar': 'blocks.%d.1.phi.weight' % attention_blocknum, 'attention.g.module.weight_u': 'blocks.%d.1.g.u0' % attention_blocknum, 'attention.g.module.weight_bar': 'blocks.%d.1.g.weight' % attention_blocknum, 'attention.o_conv.module.weight_u': 'blocks.%d.1.o.u0' % attention_blocknum, 'attention.o_conv.module.weight_bar':'blocks.%d.1.o.weight' % attention_blocknum, } # Loop over the hub dict and build the hub2me map for name in hub_dict.keys(): if 'GBlock' in name: if 'HyperBN' not in name: # it's a conv out = parse.parse('GBlock.{:d}.{}.module.{}',name) blocknum, convnum, weightname = out if weightname not in weightname_dict: continue # else hyperBN in out_name = 'blocks.%d.0.%s.%s' % (blocknum, convnum_dict[convnum], weightname_dict[weightname]) # Increment conv number by 1 else: # hyperbn not conv BNnum = 2 if 'HyperBN_1' in name else 1 if 'embed' in name: out = parse.parse('GBlock.{:d}.{}.module.{}',name) blocknum, gamma_or_beta, weightname = out if weightname not in weightname_dict: # Ignore weight_v continue out_name = 'blocks.%d.0.bn%d.%s.%s' % (blocknum, BNnum, 'gain' if 'gamma' in gamma_or_beta else 'bias', weightname_dict[weightname]) else: out = parse.parse('GBlock.{:d}.{}.bn.{}',name) blocknum, dummy, mean_or_var = out if 'num_batches_tracked' in mean_or_var: continue out_name = 'blocks.%d.0.bn%d.%s' % (blocknum, BNnum, 'stored_mean' if 'mean' in mean_or_var else 'stored_var') hub2me[name] = out_name # Invert the hub2me map me2hub = {hub2me[item]: item for item in hub2me} new_dict = {} dimz_dict = {128: 20, 256: 20, 512:16} for item in me2hub: # Swap input dim ordering on batchnorm bois to account for my arbitrary change of ordering when concatenating Ys and Zs if ('bn' in item and 'weight' in item) and ('gain' in item or 'bias' in item) and ('output_layer' not in item): new_dict[item] = torch.cat([hub_dict[me2hub[item]][:, -128:], hub_dict[me2hub[item]][:, :dimz_dict[resolution]]], 1) # Reshape the first linear weight, bias, and u0 elif item == 'linear.weight': new_dict[item] = hub_dict[me2hub[item]].contiguous().view(4, 4, 96 * 16, -1).permute(2,0,1,3).contiguous().view(-1,dimz_dict[resolution]) elif item == 'linear.bias': new_dict[item] = hub_dict[me2hub[item]].view(4, 4, 96 * 16).permute(2,0,1).contiguous().view(-1) elif item == 'linear.u0': new_dict[item] = hub_dict[me2hub[item]].view(4, 4, 96 * 16).permute(2,0,1).contiguous().view(1, -1) elif me2hub[item] == 'linear.weight': # THIS IS THE SHARED WEIGHT NOT THE FIRST LINEAR LAYER # Transpose shared weight so that it's an embedding new_dict[item] = hub_dict[me2hub[item]].t() elif 'weight_u' in me2hub[item]: # Unsqueeze u0s new_dict[item] = hub_dict[me2hub[item]].unsqueeze(0) else: new_dict[item] = hub_dict[me2hub[item]] return new_dict def get_config(resolution): attn_dict = {128: '64', 256: '128', 512: '64'} dim_z_dict = {128: 120, 256: 140, 512: 128} config = {'G_param': 'SN', 'D_param': 'SN', 'G_ch': 96, 'D_ch': 96, 'D_wide': True, 'G_shared': True, 'shared_dim': 128, 'dim_z': dim_z_dict[resolution], 'hier': True, 'cross_replica': False, 'mybn': False, 'G_activation': nn.ReLU(inplace=True), 'G_attn': attn_dict[resolution], 'norm_style': 'bn', 'G_init': 'ortho', 'skip_init': True, 'no_optim': True, 'G_fp16': False, 'G_mixed_precision': False, 'accumulate_stats': False, 'num_standing_accumulations': 16, 'G_eval_mode': True, 'BN_eps': 1e-04, 'SN_eps': 1e-04, 'num_G_SVs': 1, 'num_G_SV_itrs': 1, 'resolution': resolution, 'n_classes': 1000} return config def convert_biggan(resolution, weight_dir, redownload=False, no_ema=False, verbose=False): module_path = MODULE_PATH_TMPL.format(resolution) hdf5_path = os.path.join(weight_dir, HDF5_TMPL.format(resolution)) pth_path = os.path.join(weight_dir, PTH_TMPL.format(resolution)) tf_weights = dump_tfhub_to_hdf5(module_path, hdf5_path, redownload=redownload) G_temp = getattr(biggan_for_conversion, f'Generator{resolution}')() state_dict_temp = G_temp.state_dict() converter = TFHub2Pytorch(state_dict_temp, tf_weights, resolution=resolution, load_ema=(not no_ema), verbose=verbose) state_dict_v1 = converter.load() state_dict = convert_from_v1(state_dict_v1, resolution) # Get the config, build the model config = get_config(resolution) G = BigGAN.Generator(**config) G.load_state_dict(state_dict, strict=False) # Ignore missing sv0 entries torch.save(state_dict, pth_path) # output_location ='pretrained_weights/TFHub-PyTorch-128.pth' return G def generate_sample(G, z_dim, batch_size, filename, parallel=False): G.eval() G.to(DEVICE) with torch.no_grad(): z = torch.randn(batch_size, G.dim_z).to(DEVICE) y = torch.randint(low=0, high=1000, size=(batch_size,), device=DEVICE, dtype=torch.int64, requires_grad=False) if parallel: images = nn.parallel.data_parallel(G, (z, G.shared(y))) else: images = G(z, G.shared(y)) save_image(images, filename, scale_each=True, normalize=True) def parse_args(): usage = 'Parser for conversion script.' parser = argparse.ArgumentParser(description=usage) parser.add_argument( '--resolution', '-r', type=int, default=None, choices=[128, 256, 512], help='Resolution of TFHub module to convert. Converts all resolutions if None.') parser.add_argument( '--redownload', action='store_true', default=False, help='Redownload weights and overwrite current hdf5 file, if present.') parser.add_argument( '--weights_dir', type=str, default='pretrained_weights') parser.add_argument( '--samples_dir', type=str, default='pretrained_samples') parser.add_argument( '--no_ema', action='store_true', default=False, help='Do not load ema weights.') parser.add_argument( '--verbose', action='store_true', default=False, help='Additionally logging.') parser.add_argument( '--generate_samples', action='store_true', default=False, help='Generate test sample with pretrained model.') parser.add_argument( '--batch_size', type=int, default=64, help='Batch size used for test sample.') parser.add_argument( '--parallel', action='store_true', default=False, help='Parallelize G?') args = parser.parse_args() return args if __name__ == '__main__': args = parse_args() os.makedirs(args.weights_dir, exist_ok=True) os.makedirs(args.samples_dir, exist_ok=True) if args.resolution is not None: G = convert_biggan(args.resolution, args.weights_dir, redownload=args.redownload, no_ema=args.no_ema, verbose=args.verbose) if args.generate_samples: filename = os.path.join(args.samples_dir, f'biggan{args.resolution}_samples.jpg') print('Generating samples...') generate_sample(G, Z_DIMS[args.resolution], args.batch_size, filename, args.parallel) else: for res in RESOLUTIONS: G = convert_biggan(res, args.weights_dir, redownload=args.redownload, no_ema=args.no_ema, verbose=args.verbose) if args.generate_samples: filename = os.path.join(args.samples_dir, f'biggan{res}_samples.jpg') print('Generating samples...') generate_sample(G, Z_DIMS[res], args.batch_size, filename, args.parallel)
17,428
42.355721
143
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/main.py
print("\n ===================================================================================================") #---------------------------------------- import argparse import os import timeit import torch import torchvision import torchvision.transforms as transforms import numpy as np import torch.nn as nn import torch.backends.cudnn as cudnn from torch.nn import functional as F import random import matplotlib.pyplot as plt import matplotlib as mpl mpl.use('Agg') from torch import autograd from torchvision.utils import save_image from tqdm import tqdm, trange import gc from itertools import groupby import multiprocessing import h5py import pickle import copy import shutil #---------------------------------------- from opts import gen_synth_data_opts from utils import * from models import * from train_cnn import train_cnn, test_cnn from train_cdre import train_cdre from eval_metrics import compute_FID, compute_IS ####################################################################################### ''' Settings ''' ####################################################################################### args = gen_synth_data_opts() print(args) ## subsampling? if args.subsampling: subsampling_method = "sampling_cDR-RS_precnn_{}_lambda_{:.3f}_DR_{}_lambda_{:.3f}".format(args.dre_precnn_net, args.dre_precnn_lambda, args.dre_net, args.dre_lambda) else: subsampling_method = "sampling_None" ## filter?? if args.filter: subsampling_method = subsampling_method + "_filter_{}_perc_{:.2f}".format(args.samp_filter_precnn_net, args.samp_filter_ce_percentile_threshold) else: subsampling_method = subsampling_method + "_filter_None" ## adjust labels?? subsampling_method = subsampling_method + "_adjust_{}".format(args.adjust) # path_torch_home = os.path.join(args.root_path, 'torch_cache') # os.makedirs(path_torch_home, exist_ok=True) # os.environ['TORCH_HOME'] = path_torch_home #------------------------------- # GAN and DRE dre_precnn_lr_decay_epochs = (args.dre_precnn_lr_decay_epochs).split("_") dre_precnn_lr_decay_epochs = [int(epoch) for epoch in dre_precnn_lr_decay_epochs] #------------------------------- # seeds random.seed(args.seed) torch.manual_seed(args.seed) torch.backends.cudnn.deterministic = True cudnn.benchmark = False np.random.seed(args.seed) #------------------------------- # output folders precnn_models_directory = os.path.join(args.root_path, 'output/precnn_models') os.makedirs(precnn_models_directory, exist_ok=True) output_directory = os.path.join(args.root_path, 'output/Setting_{}'.format(args.gan_net)) os.makedirs(output_directory, exist_ok=True) save_models_folder = os.path.join(output_directory, 'saved_models') os.makedirs(save_models_folder, exist_ok=True) save_traincurves_folder = os.path.join(output_directory, 'training_curves') os.makedirs(save_traincurves_folder, exist_ok=True) save_evalresults_folder = os.path.join(output_directory, 'eval_results') os.makedirs(save_evalresults_folder, exist_ok=True) dump_fake_images_folder = os.path.join(args.root_path, 'fake_data') os.makedirs(dump_fake_images_folder, exist_ok=True) ####################################################################################### ''' Load Data ''' ####################################################################################### ## generate subset cifar_trainset = torchvision.datasets.CIFAR100(root = args.data_path, train=True, download=True) images_train = cifar_trainset.data images_train = np.transpose(images_train, (0, 3, 1, 2)) labels_train = np.array(cifar_trainset.targets) cifar_testset = torchvision.datasets.CIFAR100(root = args.data_path, train=False, download=True) ### compute the mean and std for normalization ### Note that: In GAN-based KD, use computed mean and stds to normalize images for precnn training is better than using [0.5,0.5,0.5] assert images_train.shape[1]==3 train_means = [] train_stds = [] for i in range(3): images_i = images_train[:,i,:,:] images_i = images_i/255.0 train_means.append(np.mean(images_i)) train_stds.append(np.std(images_i)) ## for i # train_means = [0.5,0.5,0.5] # train_stds = [0.5,0.5,0.5] images_test = cifar_testset.data images_test = np.transpose(images_test, (0, 3, 1, 2)) labels_test = np.array(cifar_testset.targets) print("\n Training set shape: {}x{}x{}x{}; Testing set shape: {}x{}x{}x{}.".format(images_train.shape[0], images_train.shape[1], images_train.shape[2], images_train.shape[3], images_test.shape[0], images_test.shape[1], images_test.shape[2], images_test.shape[3])) ''' transformations ''' if args.dre_precnn_transform: transform_precnn_train = transforms.Compose([ transforms.RandomCrop((args.img_size, args.img_size), padding=4), transforms.RandomHorizontalFlip(), transforms.ToTensor(), transforms.Normalize(train_means, train_stds), ]) else: transform_precnn_train = transforms.Compose([ transforms.ToTensor(), transforms.Normalize(train_means, train_stds), ]) if args.dre_transform: transform_dre = transforms.Compose([ transforms.Resize(int(args.img_size*1.1)), transforms.RandomCrop(args.img_size), transforms.RandomHorizontalFlip(), transforms.Resize(args.img_size), transforms.ToTensor(), transforms.Normalize([0.5,0.5,0.5], [0.5,0.5,0.5]), ##do not use other normalization constants!!! ]) else: transform_dre = transforms.Compose([ # transforms.RandomCrop((args.img_size, args.img_size), padding=4), ## note that some GAN training does not involve cropping!!! transforms.RandomHorizontalFlip(), transforms.ToTensor(), transforms.Normalize([0.5,0.5,0.5], [0.5,0.5,0.5]), ##do not use other normalization constants!!! ]) # test set for cnn transform_precnn_test = transforms.Compose([ transforms.ToTensor(), transforms.Normalize(train_means, train_stds), ]) testset_precnn = IMGs_dataset(images_test, labels_test, transform=transform_precnn_test) testloader_precnn = torch.utils.data.DataLoader(testset_precnn, batch_size=100, shuffle=False, num_workers=args.num_workers) ####################################################################################### ''' Load pre-trained GAN to Memory (not GPU) ''' ####################################################################################### ckpt_g = torch.load(args.gan_ckpt_path) if args.gan_net=="BigGAN": netG = BigGAN_Generator(dim_z=args.gan_dim_g, resolution=args.img_size, G_attn='0', n_classes=args.num_classes, G_shared=False) netG.load_state_dict(ckpt_g) netG = nn.DataParallel(netG) else: raise Exception("Not supported GAN!!") def fn_sampleGAN_given_label(nfake, given_label, batch_size, pretrained_netG=netG, to_numpy=True, verbose=False): raw_fake_images = [] raw_fake_labels = [] pretrained_netG = pretrained_netG.cuda() pretrained_netG.eval() if verbose: pb = SimpleProgressBar() with torch.no_grad(): tmp = 0 while tmp < nfake: z = torch.randn(batch_size, args.gan_dim_g, dtype=torch.float).cuda() labels = (given_label*torch.ones(batch_size)).type(torch.long).cuda() batch_fake_images = pretrained_netG(z, labels) raw_fake_images.append(batch_fake_images.cpu()) raw_fake_labels.append(labels.cpu().view(-1)) tmp += batch_size if verbose: pb.update(np.min([float(tmp)*100/nfake,100])) raw_fake_images = torch.cat(raw_fake_images, dim=0) raw_fake_labels = torch.cat(raw_fake_labels) if to_numpy: raw_fake_images = raw_fake_images.numpy() raw_fake_labels = raw_fake_labels.numpy() return raw_fake_images[0:nfake], raw_fake_labels[0:nfake] ####################################################################################### ''' DRE Training ''' ####################################################################################### if args.subsampling: ############################################## ''' Pre-trained CNN for feature extraction ''' print("\n -----------------------------------------------------------------------------------------") print("\n Pre-trained CNN for feature extraction") # data loader trainset_dre_precnn = IMGs_dataset(images_train, labels_train, transform=transform_precnn_train) trainloader_dre_precnn = torch.utils.data.DataLoader(trainset_dre_precnn, batch_size=args.dre_precnn_batch_size_train, shuffle=True, num_workers=args.num_workers) # Filename filename_precnn_ckpt = precnn_models_directory + '/ckpt_PreCNNForDRE_{}_lambda_{}_epoch_{}_transform_{}_ntrain_{}_seed_{}.pth'.format(args.dre_precnn_net, args.dre_precnn_lambda, args.dre_precnn_epochs, args.dre_precnn_transform, args.ntrain, args.seed) print('\n' + filename_precnn_ckpt) path_to_ckpt_in_train = precnn_models_directory + '/ckpts_in_train_PreCNNForDRE_{}_lambda_{}_ntrain_{}_seed_{}'.format(args.dre_precnn_net, args.dre_precnn_lambda, args.ntrain, args.seed) os.makedirs(path_to_ckpt_in_train, exist_ok=True) # initialize cnn dre_precnn_net = cnn_extract_initialization(args.dre_precnn_net, num_classes=args.num_classes) num_parameters = count_parameters(dre_precnn_net) # training if not os.path.isfile(filename_precnn_ckpt): print("\n Start training CNN for feature extraction in the DRE >>>") dre_precnn_net = train_cnn(dre_precnn_net, 'PreCNNForDRE_{}'.format(args.dre_precnn_net), trainloader_dre_precnn, testloader_precnn, epochs=args.dre_precnn_epochs, resume_epoch=args.dre_precnn_resume_epoch, lr_base=args.dre_precnn_lr_base, lr_decay_factor=args.dre_precnn_lr_decay_factor, lr_decay_epochs=dre_precnn_lr_decay_epochs, weight_decay=args.dre_precnn_weight_decay, extract_feature=True, net_decoder=None, lambda_reconst=args.dre_precnn_lambda, train_means=train_means, train_stds=train_stds, path_to_ckpt = path_to_ckpt_in_train) # store model torch.save({ 'net_state_dict': dre_precnn_net.state_dict(), }, filename_precnn_ckpt) print("\n End training CNN.") else: print("\n Loading pre-trained CNN for feature extraction in DRE.") checkpoint = torch.load(filename_precnn_ckpt) dre_precnn_net.load_state_dict(checkpoint['net_state_dict']) #end if # testing _ = test_cnn(dre_precnn_net, testloader_precnn, extract_feature=True, verbose=True) ############################################## ''' cDRE Training ''' print("\n -----------------------------------------------------------------------------------------") print("\n cDRE training") ### dataloader trainset_dre = IMGs_dataset(images_train, labels_train, transform=transform_dre) trainloader_dre = torch.utils.data.DataLoader(trainset_dre, batch_size=args.dre_batch_size, shuffle=True, num_workers=args.num_workers) ### dr model filename drefile_fullpath = save_models_folder + "/ckpt_cDRE-F-cSP_precnn_{}_lambda_{:.3f}_DR_{}_lambda_{:.3f}_epochs_{}_ntrain_{}_seed_{}.pth".format(args.dre_precnn_net, args.dre_precnn_lambda, args.dre_net, args.dre_lambda, args.dre_epochs, args.ntrain, args.seed) print('\n' + drefile_fullpath) path_to_ckpt_in_train = save_models_folder + '/ckpt_cDRE-F-cSP_precnn_{}_lambda_{:.3f}_DR_{}_lambda_{:.3f}_ntrain_{}_seed_{}'.format(args.dre_precnn_net, args.dre_precnn_lambda, args.dre_net, args.dre_lambda, args.ntrain, args.seed) os.makedirs(path_to_ckpt_in_train, exist_ok=True) dre_loss_file_fullpath = save_traincurves_folder + '/train_loss_cDRE-F-cSP_precnn_{}_lambda_{:.3f}_DR_{}_epochs_{}_lambda_{}_ntrain_{}_seed_{}.png'.format(args.dre_precnn_net, args.dre_precnn_lambda, args.dre_net, args.dre_epochs, args.dre_lambda, args.ntrain, args.seed) ### dre training dre_net = cDR_MLP(args.dre_net, p_dropout=0.5, init_in_dim = args.num_channels*args.img_size*args.img_size, num_classes = args.num_classes).cuda() num_parameters_DR = count_parameters(dre_net) dre_net = nn.DataParallel(dre_net) #if DR model exists, then load the pretrained model; otherwise, start training the model. if not os.path.isfile(drefile_fullpath): print("\n Begin Training conditional DR in Feature Space: >>>") dre_net, avg_train_loss = train_cdre(trainloader_dre, dre_net, dre_precnn_net, netG, path_to_ckpt=path_to_ckpt_in_train) # save model torch.save({ 'net_state_dict': dre_net.state_dict(), }, drefile_fullpath) PlotLoss(avg_train_loss, dre_loss_file_fullpath) else: # if already trained, load pre-trained DR model checkpoint_dre_net = torch.load(drefile_fullpath) dre_net.load_state_dict(checkpoint_dre_net['net_state_dict']) ##end if not # Compute density ratio: function for computing a bunch of images in a numpy array def comp_cond_density_ratio(imgs, labels, batch_size=args.samp_batch_size): #imgs: a torch tensor n_imgs = len(imgs) if batch_size>n_imgs: batch_size = n_imgs ##make sure the last iteration has enough samples imgs = torch.cat((imgs, imgs[0:batch_size]), dim=0) labels = torch.cat((labels, labels[0:batch_size]), dim=0) density_ratios = [] dre_net.eval() dre_precnn_net.eval() # print("\n Begin computing density ratio for images >>") with torch.no_grad(): n_imgs_got = 0 while n_imgs_got < n_imgs: batch_images = imgs[n_imgs_got:(n_imgs_got+batch_size)] batch_labels = labels[n_imgs_got:(n_imgs_got+batch_size)] batch_images = batch_images.type(torch.float).cuda() batch_labels = batch_labels.type(torch.long).cuda() _, batch_features = dre_precnn_net(batch_images) batch_ratios = dre_net(batch_features, batch_labels) density_ratios.append(batch_ratios.cpu().detach()) n_imgs_got += batch_size ### while n_imgs_got density_ratios = torch.cat(density_ratios) density_ratios = density_ratios[0:n_imgs].numpy() return density_ratios # Enhanced sampler based on the trained DR model # Rejection Sampling:"Discriminator Rejection Sampling"; based on https://github.com/shinseung428/DRS_Tensorflow/blob/master/config.py def fn_enhancedSampler_given_label(nfake, given_label, batch_size=args.samp_batch_size, verbose=True): ## Burn-in Stage n_burnin = args.samp_burnin_size burnin_imgs, burnin_labels = fn_sampleGAN_given_label(n_burnin, given_label, batch_size, to_numpy=False) burnin_densityratios = comp_cond_density_ratio(burnin_imgs, burnin_labels) # print((burnin_densityratios.min(),np.median(burnin_densityratios),burnin_densityratios.max())) M_bar = np.max(burnin_densityratios) del burnin_imgs, burnin_densityratios; gc.collect() ## Rejection sampling enhanced_imgs = [] if verbose: pb = SimpleProgressBar() # pbar = tqdm(total=nfake) num_imgs = 0 while num_imgs < nfake: batch_imgs, batch_labels = fn_sampleGAN_given_label(batch_size, given_label, batch_size, to_numpy=False) batch_ratios = comp_cond_density_ratio(batch_imgs, batch_labels) M_bar = np.max([M_bar, np.max(batch_ratios)]) #threshold batch_p = batch_ratios/M_bar batch_psi = np.random.uniform(size=batch_size).reshape(-1,1) indx_accept = np.where(batch_psi<=batch_p)[0] if len(indx_accept)>0: enhanced_imgs.append(batch_imgs[indx_accept]) num_imgs+=len(indx_accept) del batch_imgs, batch_ratios; gc.collect() if verbose: pb.update(np.min([float(num_imgs)*100/nfake,100])) # pbar.update(len(indx_accept)) # pbar.close() enhanced_imgs = np.concatenate(enhanced_imgs, axis=0) enhanced_imgs = enhanced_imgs[0:nfake] return enhanced_imgs, given_label*np.ones(nfake) ####################################################################################### ''' Filtering by teacher ''' ####################################################################################### if args.filter or args.adjust: ## initialize pre-trained CNN for filtering if args.samp_filter_precnn_net == "densenet121": filter_precnn_net = DenseNet121(num_classes=args.num_classes) elif args.samp_filter_precnn_net == "ResNet18": filter_precnn_net = ResNet18(num_classes=args.num_classes) elif args.samp_filter_precnn_net == "ResNet34": filter_precnn_net = ResNet34(num_classes=args.num_classes) elif args.samp_filter_precnn_net == "ResNet50": filter_precnn_net = ResNet50(num_classes=args.num_classes) elif args.samp_filter_precnn_net == "resnet56": filter_precnn_net = resnet56(num_classes=args.num_classes) elif args.samp_filter_precnn_net == "resnet32x4": filter_precnn_net = resnet32x4(num_classes=args.num_classes) elif args.samp_filter_precnn_net == "wrn_40_2": filter_precnn_net = wrn_40_2(num_classes=args.num_classes) elif args.samp_filter_precnn_net == "vgg13": filter_precnn_net = vgg13_bn(num_classes=args.num_classes) elif args.samp_filter_precnn_net == "vgg19": filter_precnn_net = vgg19_bn(num_classes=args.num_classes) else: raise Exception("Not supported CNN for the filtering or adjustment!!!") ## load ckpt checkpoint = torch.load(args.samp_filter_precnn_net_ckpt_path) filter_precnn_net.load_state_dict(checkpoint['model']) # filter_precnn_net = nn.DataParallel(filter_precnn_net) def fn_filter_or_adjust(fake_images, fake_labels, filter_precnn_net=filter_precnn_net, filter=args.filter, adjust=args.adjust, CE_cutoff_point=1e30, burnin_mode=False, verbose=False, visualize_filtered_images=False, filtered_images_path=None): #fake_images: numpy array #fake_labels: numpy array filter_precnn_net = filter_precnn_net.cuda() filter_precnn_net.eval() assert fake_images.max()>=1.0 and fake_images.min()>=0 fake_dataset = IMGs_dataset(fake_images, fake_labels, transform=transform_precnn_train) fake_dataloader = torch.utils.data.DataLoader(fake_dataset, batch_size=args.samp_filter_batch_size, shuffle=False) ## evaluate on fake data fake_CE_loss = [] fake_labels_pred = [] criterion = nn.CrossEntropyLoss(reduction='none') filter_precnn_net.eval() # eval mode (batchnorm uses moving mean/variance instead of mini-batch mean/variance) if verbose: pbar = tqdm(total=len(fake_images)) with torch.no_grad(): correct = 0 total = 0 for _, (images, labels) in enumerate(fake_dataloader): images = images.type(torch.float).cuda() labels = labels.type(torch.long).cuda() outputs = filter_precnn_net(images) loss = criterion(outputs, labels) _, predicted = torch.max(outputs.data, 1) total += labels.size(0) correct += (predicted == labels).sum().item() fake_labels_pred.append(predicted.cpu().numpy()) fake_CE_loss.append(loss.cpu().numpy()) if verbose: pbar.update(len(images)) if verbose: print('\n Test Accuracy of {} on the {} fake images: {:.3f} %'.format(args.samp_filter_precnn_net, len(fake_images), 100.0 * correct / total)) fake_CE_loss = np.concatenate(fake_CE_loss) fake_labels_pred = np.concatenate(fake_labels_pred) if not burnin_mode: indx_label_diff = np.where(np.abs(fake_labels_pred-fake_labels)>1e-10)[0] print('\r Class {}: adjust the labels of {}/{} images before the filtering.'.format(int(fake_labels[0]+1), len(indx_label_diff), len(fake_labels))) filter_precnn_net = filter_precnn_net.cpu() if filter: if burnin_mode: CE_cutoff_point = np.quantile(fake_CE_loss, q=args.samp_filter_ce_percentile_threshold) print("\r Cut-off point for the filtering is {:.4f}. Test Accuracy of {} on the {} fake images: {:.3f} %.".format(CE_cutoff_point, args.samp_filter_precnn_net, len(fake_images), 100.0 * correct / total)) return CE_cutoff_point if visualize_filtered_images: ## show some exampled filtered images indx_drop = np.where(fake_CE_loss>=CE_cutoff_point)[0] example_filtered_images = fake_images[indx_drop] n_row = int(np.sqrt(min(100, len(example_filtered_images)))) example_filtered_images = example_filtered_images[0:n_row**2] example_filtered_images = torch.from_numpy(example_filtered_images) if example_filtered_images.max()>1.0: example_filtered_images = example_filtered_images/255.0 filename_filtered_images = filtered_images_path + '/class_{}_dropped.png'.format(int(fake_labels[0]+1)) save_image(example_filtered_images.data, filename_filtered_images, nrow=n_row, normalize=True) ## do the filtering indx_sel = np.where(fake_CE_loss<CE_cutoff_point)[0] fake_images = fake_images[indx_sel] fake_labels = fake_labels[indx_sel] fake_labels_pred = fake_labels_pred[indx_sel] #adjust the labels of fake data by using the pre-trained big CNN if visualize_filtered_images: ## show kept images as reference example_selected_images = fake_images[0:n_row**2] example_selected_images = torch.from_numpy(example_selected_images) if example_selected_images.max()>1.0: example_selected_images = example_selected_images/255.0 filename_filtered_images = filtered_images_path + '/class_{}_selected.png'.format(fake_labels[0]) save_image(example_selected_images.data, filename_filtered_images, nrow=n_row, normalize=True) if not burnin_mode: indx_label_diff = np.where(np.abs(fake_labels_pred-fake_labels)>1e-10)[0] print('\r Class {}: adjust the labels of {}/{} images after the filtering.'.format(int(fake_labels[0]+1), len(indx_label_diff), len(fake_labels))) if adjust: return fake_images, fake_labels_pred else: return fake_images, fake_labels ####################################################################################### ''' Final Sampler ''' ####################################################################################### def fn_final_sampler(nfake, label_i, batch_size=args.samp_batch_size, split_div=2, filter_nburnin=args.samp_filter_burnin_size, verbose=False, visualize_filtered_images=False, filtered_images_path=None): if verbose: pbar = tqdm(total=nfake) ### burning stage: compute the cut off point for the filtering if args.filter: if args.subsampling: brunin_images, brunin_labels = fn_enhancedSampler_given_label(nfake=filter_nburnin, given_label=label_i, batch_size=batch_size, verbose=False) else: brunin_images, brunin_labels = fn_sampleGAN_given_label(nfake=filter_nburnin, given_label=label_i, batch_size=batch_size, verbose=False) ## denormalize images brunin_images = (brunin_images*0.5+0.5)*255.0 brunin_images = brunin_images.astype(np.uint8) ## compute the cut-off point CE_cutoff_point = fn_filter_or_adjust(brunin_images, brunin_labels, burnin_mode=True, verbose=False) fake_images_i = [] fake_labels_i = [] num_got = 0 while num_got<nfake: if args.subsampling: batch_images, batch_labels = fn_enhancedSampler_given_label(nfake=nfake//split_div, given_label=label_i, batch_size=batch_size, verbose=False) else: batch_images, batch_labels = fn_sampleGAN_given_label(nfake=nfake//split_div, given_label=label_i, batch_size=batch_size, verbose=False) ## denormalize images batch_images = (batch_images*0.5+0.5)*255.0 batch_images = batch_images.astype(np.uint8) ## filtering and adjustment if args.filter or args.adjust: batch_images, batch_labels = fn_filter_or_adjust(fake_images=batch_images, fake_labels=batch_labels, CE_cutoff_point=CE_cutoff_point, verbose=False, visualize_filtered_images=visualize_filtered_images, filtered_images_path=filtered_images_path) num_got += len(batch_images) fake_images_i.append(batch_images) fake_labels_i.append(batch_labels) if verbose: pbar.update(len(batch_images)) ##end while fake_images_i = np.concatenate(fake_images_i, axis=0) fake_labels_i = np.concatenate(fake_labels_i, axis=0) fake_images_i = fake_images_i[0:nfake] fake_labels_i = fake_labels_i[0:nfake] return fake_images_i, fake_labels_i ############################################################################### ''' Generate fake data ''' ############################################################################### print("\n Geneating fake data: {}+{}...".format(args.gan_net, subsampling_method)) ### generate fake images dump_fake_images_filename = os.path.join(dump_fake_images_folder, 'cifar100_fake_images_{}_{}_NfakePerClass_{}_seed_{}.h5'.format(args.gan_net, subsampling_method, args.samp_nfake_per_class, args.seed)) print(dump_fake_images_filename) if args.visualize_filtered_images: dump_filtered_fake_images_folder = os.path.join(dump_fake_images_folder, 'cifar100_fake_images_{}_{}_NfakePerClass_{}_seed_{}_example_filtered_images'.format(args.gan_net, subsampling_method, args.samp_nfake_per_class, args.seed)) os.makedirs(dump_filtered_fake_images_folder, exist_ok=True) else: dump_filtered_fake_images_folder=None if not os.path.isfile(dump_fake_images_filename): print('\n Start generating fake data...') fake_images = [] fake_labels = [] start_time = timeit.default_timer() for i in range(args.num_classes): print("\n Generate {} fake images for class {}/{}.".format(args.samp_nfake_per_class, i+1, args.num_classes)) fake_images_i, fake_labels_i = fn_final_sampler(nfake=args.samp_nfake_per_class, label_i=i, visualize_filtered_images=args.visualize_filtered_images, filtered_images_path=dump_filtered_fake_images_folder) fake_images.append(fake_images_i) fake_labels.append(fake_labels_i.reshape(-1)) print("\n End generating {} fake images for class {}/{}. Time elapse: {:.3f}".format(args.samp_nfake_per_class, i+1, args.num_classes, timeit.default_timer()-start_time)) fake_images = np.concatenate(fake_images, axis=0) fake_labels = np.concatenate(fake_labels, axis=0) del fake_images_i, fake_labels_i; gc.collect() print('\n End generating fake data!') with h5py.File(dump_fake_images_filename, "w") as f: f.create_dataset('fake_images', data = fake_images, dtype='uint8', compression="gzip", compression_opts=6) f.create_dataset('fake_labels', data = fake_labels, dtype='int') else: print('\n Start loading generated fake data...') with h5py.File(dump_fake_images_filename, "r") as f: fake_images = f['fake_images'][:] fake_labels = f['fake_labels'][:] assert len(fake_images) == len(fake_labels) ### visualize data distribution frequencies = [] for i in range(args.num_classes): indx_i = np.where(fake_labels==i)[0] frequencies.append(len(indx_i)) frequencies = np.array(frequencies) width = 0.8 x = np.arange(1,args.num_classes+1) # plot data in grouped manner of bar type fig, ax = plt.subplots(1,1, figsize=(6,4)) ax.grid(color='lightgrey', linestyle='--', zorder=0) ax.bar(x, frequencies, width, align='center', color='tab:green', zorder=3) ax.set_xlabel("Class") ax.set_ylabel("Frequency") plt.tight_layout() plt.savefig(os.path.join(dump_fake_images_folder, "cifar100_fake_images_{}_{}_NfakePerClass_{}_class_dist.pdf".format(args.gan_net, subsampling_method, args.samp_nfake_per_class))) plt.close() print('\n Frequence of each class: MIN={}, MEAN={}, MAX={}.'.format(np.min(frequencies),np.mean(frequencies),np.max(frequencies))) ############################################################################### ''' Compute FID and IS ''' ############################################################################### if args.eval: #load pre-trained InceptionV3 (pretrained on CIFAR-100) PreNetFID = Inception3(num_classes=args.num_classes, aux_logits=True, transform_input=False) checkpoint_PreNet = torch.load(args.eval_ckpt_path) PreNetFID = nn.DataParallel(PreNetFID).cuda() PreNetFID.load_state_dict(checkpoint_PreNet['net_state_dict']) ############################################## ''' Compute FID between real and fake images ''' start = timeit.default_timer() ## normalize images assert fake_images.max()>1 fake_images = (fake_images/255.0-0.5)/0.5 assert images_train.max()>1 images_train = (images_train/255.0-0.5)/0.5 assert -1.0<=images_train.max()<=1.0 and -1.0<=images_train.min()<=1.0 ##################### ## Compute Intra-FID: real vs fake print("\n Start compute Intra-FID between real and fake images...") start_time = timeit.default_timer() intra_fid_scores = np.zeros(args.num_classes) for i in range(args.num_classes): indx_train_i = np.where(labels_train==i)[0] images_train_i = images_train[indx_train_i] indx_fake_i = np.where(fake_labels==i)[0] fake_images_i = fake_images[indx_fake_i] ##compute FID within each class intra_fid_scores[i] = compute_FID(PreNetFID, images_train_i, fake_images_i, batch_size = args.eval_FID_batch_size, resize = (299, 299)) print("\r Evaluating: Class:{}; Real:{}; Fake:{}; FID:{}; Time elapses:{}s.".format(i+1, len(images_train_i), len(fake_images_i), intra_fid_scores[i], timeit.default_timer()-start_time)) ##end for i # average over all classes print("\n Evaluating: Intra-FID: {}({}); min/max: {}/{}.".format(np.mean(intra_fid_scores), np.std(intra_fid_scores), np.min(intra_fid_scores), np.max(intra_fid_scores))) # dump FID versus class to npy dump_fids_filename = save_evalresults_folder + "/{}_subsampling_{}_fids".format(args.gan_net, subsampling_method) np.savez(dump_fids_filename, fids=intra_fid_scores) ##################### ## Compute FID: real vs fake print("\n Start compute FID between real and fake images...") indx_shuffle_real = np.arange(len(images_train)); np.random.shuffle(indx_shuffle_real) indx_shuffle_fake = np.arange(len(fake_images)); np.random.shuffle(indx_shuffle_fake) fid_score = compute_FID(PreNetFID, images_train[indx_shuffle_real], fake_images[indx_shuffle_fake], batch_size = args.eval_FID_batch_size, resize = (299, 299)) print("\n Evaluating: FID between {} real and {} fake images: {}.".format(len(images_train), len(fake_images), fid_score)) ##################### ## Compute IS print("\n Start compute IS of fake images...") indx_shuffle_fake = np.arange(len(fake_images)); np.random.shuffle(indx_shuffle_fake) is_score, is_score_std = compute_IS(PreNetFID, fake_images[indx_shuffle_fake], batch_size = args.eval_FID_batch_size, splits=10, resize=(299,299)) print("\n Evaluating: IS of {} fake images: {}({}).".format(len(fake_images), is_score, is_score_std)) ##################### # Dump evaluation results eval_results_fullpath = os.path.join(save_evalresults_folder, '{}_subsampling_{}.txt'.format(args.gan_net, subsampling_method)) if not os.path.isfile(eval_results_fullpath): eval_results_logging_file = open(eval_results_fullpath, "w") eval_results_logging_file.close() with open(eval_results_fullpath, 'a') as eval_results_logging_file: eval_results_logging_file.write("\n===================================================================================================") eval_results_logging_file.write("\n Separate results for Subsampling {} \n".format(subsampling_method)) print(args, file=eval_results_logging_file) eval_results_logging_file.write("\n Intra-FID: {}({}); min/max: {}/{}.".format(np.mean(intra_fid_scores), np.std(intra_fid_scores), np.min(intra_fid_scores), np.max(intra_fid_scores))) eval_results_logging_file.write("\n FID: {}.".format(fid_score)) eval_results_logging_file.write("\n IS: {}({}).".format(is_score, is_score_std)) ####################################################################################### ''' Visualize fake images of the trained GAN ''' ####################################################################################### if args.visualize_fake_images: # First, visualize conditional generation # vertical grid ## 10 rows; 10 columns (10 samples for each class) n_row = args.num_classes n_col = 10 fake_images_view = [] fake_labels_view = [] for i in range(args.num_classes): fake_labels_i = i*np.ones(n_col) if args.subsampling: fake_images_i, _ = fn_enhancedSampler_given_label(nfake=n_col, given_label=i, batch_size=100, verbose=False) else: fake_images_i, _ = fn_sampleGAN_given_label(nfake=n_col, given_label=i, batch_size=100, pretrained_netG=netG, to_numpy=True) fake_images_view.append(fake_images_i) fake_labels_view.append(fake_labels_i) ##end for i fake_images_view = np.concatenate(fake_images_view, axis=0) fake_labels_view = np.concatenate(fake_labels_view, axis=0) ### output fake images from a trained GAN filename_fake_images = save_evalresults_folder + '/{}_subsampling_{}_fake_image_grid_{}x{}.png'.format(args.gan_net, subsampling_method, n_row, n_col) images_show = np.zeros((n_row*n_col, args.num_channels, args.img_size, args.img_size)) for i_row in range(n_row): indx_i = np.where(fake_labels_view==i_row)[0] for j_col in range(n_col): curr_image = fake_images_view[indx_i[j_col]] images_show[i_row*n_col+j_col,:,:,:] = curr_image images_show = torch.from_numpy(images_show) save_image(images_show.data, filename_fake_images, nrow=n_col, normalize=True) ### end if args.visualize_fake_images print("\n ===================================================================================================")
35,820
49.02933
548
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/eval_metrics.py
""" Compute Inception Score (IS), Frechet Inception Discrepency (FID), ref "https://github.com/mseitzer/pytorch-fid/blob/master/fid_score.py" Maximum Mean Discrepancy (MMD) for a set of fake images use numpy array Xr: high-level features for real images; nr by d array Yr: labels for real images Xg: high-level features for fake images; ng by d array Yg: labels for fake images IMGSr: real images IMGSg: fake images """ import gc import numpy as np from numpy import linalg as LA from scipy import linalg import torch import torch.nn as nn from scipy.stats import entropy from torch.nn import functional as F import sys # ################################################################################ # Progress Bar class SimpleProgressBar(): def __init__(self, width=50): self.last_x = -1 self.width = width def update(self, x): assert 0 <= x <= 100 # `x`: progress in percent ( between 0 and 100) if self.last_x == int(x): return self.last_x = int(x) pointer = int(self.width * (x / 100.0)) sys.stdout.write( '\r%d%% [%s]' % (int(x), '#' * pointer + '.' * (self.width - pointer))) sys.stdout.flush() if x == 100: print('') ############################################################################## # FID scores ############################################################################## # compute FID based on extracted features def FID_(Xr, Xg, eps=1e-10): ''' The Frechet distance between two multivariate Gaussians X_1 ~ N(mu_1, C_1) and X_2 ~ N(mu_2, C_2) is d^2 = ||mu_1 - mu_2||^2 + Tr(C_1 + C_2 - 2*sqrt(C_1*C_2)). ''' #sample mean MUr = np.mean(Xr, axis = 0) MUg = np.mean(Xg, axis = 0) mean_diff = LA.norm( MUr - MUg ) #sample covariance SIGMAr = np.cov(Xr.transpose()) SIGMAg = np.cov(Xg.transpose()) # Product might be almost singular covmean, _ = linalg.sqrtm(SIGMAr.dot(SIGMAg), disp=False)#square root of a matrix covmean = covmean.real if not np.isfinite(covmean).all(): msg = ('fid calculation produces singular product; ' 'adding %s to diagonal of cov estimates') % eps print(msg) offset = np.eye(SIGMAr.shape[0]) * eps covmean = linalg.sqrtm((SIGMAr + offset).dot(SIGMAg + offset)) #fid score fid_score = mean_diff + np.trace(SIGMAr + SIGMAg - 2*covmean) return fid_score ##test #Xr = np.random.rand(10000,1000) #Xg = np.random.rand(10000,1000) #print(FID_(Xr, Xg)) # compute FID from raw images def compute_FID(PreNetFID, IMGSr, IMGSg, batch_size = 500, resize = None, verbose = False): #resize: if None, do not resize; if resize = (H,W), resize images to 3 x H x W PreNetFID = PreNetFID.cuda() PreNetFID.eval() nr = IMGSr.shape[0] ng = IMGSg.shape[0] if batch_size>min(nr,ng): batch_size = min(nr,ng) #compute the length of extracted features with torch.no_grad(): test_img = torch.from_numpy(IMGSr[0:2].reshape((2,IMGSr.shape[1],IMGSr.shape[2],IMGSr.shape[3]))).type(torch.float).cuda() if resize is not None: test_img = nn.functional.interpolate(test_img, size = resize, scale_factor=None, mode='bilinear', align_corners=False) _, test_features = PreNetFID(test_img) d = test_features.shape[1] #length of extracted features Xr = np.zeros((nr, d)) Xg = np.zeros((ng, d)) with torch.no_grad(): tmp = 0 if verbose: pb1 = SimpleProgressBar() for i in range(nr//batch_size): imgr_tensor = torch.from_numpy(IMGSr[tmp:(tmp+batch_size)]).type(torch.float).cuda() if resize is not None: imgr_tensor = nn.functional.interpolate(imgr_tensor, size = resize, scale_factor=None, mode='bilinear', align_corners=False) _, Xr_tmp = PreNetFID(imgr_tensor) Xr[tmp:(tmp+batch_size)] = Xr_tmp.detach().cpu().numpy() tmp+=batch_size if verbose: pb1.update(min(100,float(i+1)*100/(nr//batch_size))) del Xr_tmp,imgr_tensor; gc.collect() torch.cuda.empty_cache() tmp = 0 if verbose: pb2 = SimpleProgressBar() for j in range(ng//batch_size): imgg_tensor = torch.from_numpy(IMGSg[tmp:(tmp+batch_size)]).type(torch.float).cuda() if resize is not None: imgg_tensor = nn.functional.interpolate(imgg_tensor, size = resize, scale_factor=None, mode='bilinear', align_corners=False) _, Xg_tmp = PreNetFID(imgg_tensor) Xg[tmp:(tmp+batch_size)] = Xg_tmp.detach().cpu().numpy() tmp+=batch_size if verbose: pb2.update(min(100,float(j+1)*100/(ng//batch_size))) del Xg_tmp,imgg_tensor; gc.collect() torch.cuda.empty_cache() PreNetFID = PreNetFID.cpu() fid_score = FID_(Xr, Xg, eps=1e-6) return fid_score ############################################################################## # Inception Scores ############################################################################## def compute_IS(PreNetIS, IMGSg, batch_size = 500, splits=1, resize = None, verbose=False): #resize: if None, do not resize; if resize = (H,W), resize images to 3 x H x W PreNetIS = PreNetIS.cuda() PreNetIS.eval() N = IMGSg.shape[0] #compute the number of classes with torch.no_grad(): test_img = torch.from_numpy(IMGSg[0:2].reshape((2,IMGSg.shape[1],IMGSg.shape[2],IMGSg.shape[3]))).type(torch.float).cuda() if resize is not None: test_img = nn.functional.interpolate(test_img, size = resize, scale_factor=None, mode='bilinear', align_corners=False) test_output, _ = PreNetIS(test_img) nc = test_output.shape[1] #number of classes # Get predictions def get_pred(x): x, _ = PreNetIS(x) return F.softmax(x,dim=1).data.cpu().numpy() preds = np.zeros((N, nc)) with torch.no_grad(): tmp = 0 if verbose: pb = SimpleProgressBar() for j in range(N//batch_size): imgg_tensor = torch.from_numpy(IMGSg[tmp:(tmp+batch_size)]).type(torch.float).cuda() if resize is not None: imgg_tensor = nn.functional.interpolate(imgg_tensor, size = resize, scale_factor=None, mode='bilinear', align_corners=False) preds[tmp:(tmp+batch_size)] = get_pred(imgg_tensor) tmp+=batch_size if verbose: pb.update(min(100,float(j+1)*100/(N//batch_size))) # Now compute the mean kl-div split_scores = [] for k in range(splits): part = preds[k * (N // splits): (k+1) * (N // splits), :] py = np.mean(part, axis=0) scores = [] for i in range(part.shape[0]): pyx = part[i, :] scores.append(entropy(pyx, py)) split_scores.append(np.exp(np.mean(scores))) PreNetIS = PreNetIS.cpu() return np.mean(split_scores), np.std(split_scores)
7,055
33.758621
140
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/utils.py
import numpy as np import torch import torch.nn as nn import torchvision import matplotlib.pyplot as plt import matplotlib as mpl from torch.nn import functional as F import sys import PIL from PIL import Image ### import my stuffs ### from models import * # ################################################################################ # Progress Bar class SimpleProgressBar(): def __init__(self, width=50): self.last_x = -1 self.width = width def update(self, x): assert 0 <= x <= 100 # `x`: progress in percent ( between 0 and 100) if self.last_x == int(x): return self.last_x = int(x) pointer = int(self.width * (x / 100.0)) sys.stdout.write( '\r%d%% [%s]' % (int(x), '#' * pointer + '.' * (self.width - pointer))) sys.stdout.flush() if x == 100: print('') ################################################################################ # torch dataset from numpy array class IMGs_dataset(torch.utils.data.Dataset): def __init__(self, images, labels=None, transform=None): super(IMGs_dataset, self).__init__() self.images = images self.n_images = len(self.images) self.labels = labels if labels is not None: if len(self.images) != len(self.labels): raise Exception('images (' + str(len(self.images)) +') and labels ('+str(len(self.labels))+') do not have the same length!!!') self.transform = transform def __getitem__(self, index): ## for RGB only image = self.images[index] if self.transform is not None: image = np.transpose(image, (1, 2, 0)) #C * H * W ----> H * W * C image = Image.fromarray(np.uint8(image), mode = 'RGB') #H * W * C image = self.transform(image) if self.labels is not None: label = self.labels[index] return image, label return image def __len__(self): return self.n_images class IMGs_dataset2(torch.utils.data.Dataset): def __init__(self, images, labels=None, normalize=False): super(IMGs_dataset2, self).__init__() self.images = images self.n_images = len(self.images) self.labels = labels if labels is not None: if len(self.images) != len(self.labels): raise Exception('images (' + str(len(self.images)) +') and labels ('+str(len(self.labels))+') do not have the same length!!!') self.normalize = normalize def __getitem__(self, index): image = self.images[index] if self.normalize: image = image/255.0 image = (image-0.5)/0.5 if self.labels is not None: label = self.labels[index] return (image, label) else: return image def __len__(self): return self.n_images ################################################################################ def PlotLoss(loss, filename): x_axis = np.arange(start = 1, stop = len(loss)+1) plt.switch_backend('agg') mpl.style.use('seaborn') fig = plt.figure() ax = plt.subplot(111) ax.plot(x_axis, np.array(loss)) plt.xlabel("epoch") plt.ylabel("training loss") plt.legend() #ax.legend(loc='upper center', bbox_to_anchor=(0.5, 1.15), shadow=True, ncol=3) #plt.title('Training Loss') plt.savefig(filename) ################################################################################ # Convenience function to count the number of parameters in a module def count_parameters(module, verbose=True): num_parameters = sum([p.data.nelement() for p in module.parameters()]) if verbose: print('Number of parameters: {}'.format(num_parameters)) return num_parameters ################################################################################ # Init. CNNs def cnn_extract_initialization(cnn_name, num_classes=100): if cnn_name == "ResNet34": net = ResNet34_extract(num_classes=num_classes) else: raise Exception("not supported!!") net = nn.DataParallel(net) net = net.cuda() return net ################################################################################ # predict class labels def predict_labels(net, images, batch_size=500, normalize_imgs=False, verbose=False, num_workers=0): net = net.cuda() net.eval() n = len(images) if batch_size>n: batch_size=n dataset_pred = IMGs_dataset2(images, normalize=normalize_imgs) dataloader_pred = torch.utils.data.DataLoader(dataset_pred, batch_size=batch_size, shuffle=False, num_workers=num_workers) class_labels_pred = np.zeros(n+batch_size) with torch.no_grad(): nimgs_got = 0 if verbose: pb = SimpleProgressBar() for batch_idx, batch_images in enumerate(dataloader_pred): batch_images = batch_images.type(torch.float).cuda() batch_size_curr = len(batch_images) outputs,_ = net(batch_images) _, batch_class_labels_pred = torch.max(outputs.data, 1) class_labels_pred[nimgs_got:(nimgs_got+batch_size_curr)] = batch_class_labels_pred.detach().cpu().numpy().reshape(-1) nimgs_got += batch_size_curr if verbose: pb.update((float(nimgs_got)/n)*100) #end for batch_idx class_labels_pred = class_labels_pred[0:n] return class_labels_pred
5,464
30.959064
143
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/train_cdre.py
''' Functions for Training Class-conditional Density-ratio model ''' import torch import torch.nn as nn import numpy as np import os import timeit from utils import SimpleProgressBar from opts import gen_synth_data_opts ''' Settings ''' args = gen_synth_data_opts() # training function def train_cdre(trainloader, dre_net, dre_precnn_net, netG, path_to_ckpt=None): # some parameters in the opts dim_gan = args.gan_dim_g dre_net_name = args.dre_net dre_epochs = args.dre_epochs dre_lr_base = args.dre_lr_base dre_lr_decay_factor = args.dre_lr_decay_factor dre_lr_decay_epochs = (args.dre_lr_decay_epochs).split("_") dre_lr_decay_epochs = [int(epoch) for epoch in dre_lr_decay_epochs] dre_lambda = args.dre_lambda dre_resume_epoch = args.dre_resume_epoch ''' learning rate decay ''' def adjust_learning_rate(optimizer, epoch): lr = dre_lr_base num_decays = len(dre_lr_decay_epochs) for decay_i in range(num_decays): if epoch >= dre_lr_decay_epochs[decay_i]: lr = lr * dre_lr_decay_factor #end if epoch #end for decay_i for param_group in optimizer.param_groups: param_group['lr'] = lr #end def adjust lr # nets dre_precnn_net = dre_precnn_net.cuda() netG = netG.cuda() dre_precnn_net.eval() netG.eval() dre_net = dre_net.cuda() # define optimizer optimizer = torch.optim.Adam(dre_net.parameters(), lr = dre_lr_base, betas=(0.5, 0.999), weight_decay=1e-4) if path_to_ckpt is not None and dre_resume_epoch>0: print("Loading ckpt to resume training dre_net >>>") ckpt_fullpath = path_to_ckpt + "/cDRE_{}_checkpoint_epoch_{}.pth".format(dre_net_name, dre_resume_epoch) checkpoint = torch.load(ckpt_fullpath) dre_net.load_state_dict(checkpoint['net_state_dict']) optimizer.load_state_dict(checkpoint['optimizer_state_dict']) #load d_loss and g_loss logfile_fullpath = path_to_ckpt + "/cDRE_{}_train_loss_epoch_{}.npz".format(dre_net_name, dre_resume_epoch) if os.path.isfile(logfile_fullpath): avg_train_loss = list(np.load(logfile_fullpath)) else: avg_train_loss = [] else: avg_train_loss = [] start_time = timeit.default_timer() for epoch in range(dre_resume_epoch, dre_epochs): adjust_learning_rate(optimizer, epoch) train_loss = 0 for batch_idx, (batch_real_images, batch_real_labels) in enumerate(trainloader): dre_net.train() batch_size_curr = batch_real_images.shape[0] batch_real_images = batch_real_images.type(torch.float).cuda() num_unique_classes = len(list(set(batch_real_labels.numpy()))) batch_real_labels = batch_real_labels.type(torch.long).cuda() with torch.no_grad(): z = torch.randn(batch_size_curr, dim_gan, dtype=torch.float).cuda() batch_fake_images = netG(z, batch_real_labels) batch_fake_images = batch_fake_images.detach() _, batch_features_real = dre_precnn_net(batch_real_images) batch_features_real = batch_features_real.detach() _, batch_features_fake = dre_precnn_net(batch_fake_images) batch_features_fake = batch_features_fake.detach() # density ratios for real and fake images DR_real = dre_net(batch_features_real, batch_real_labels) DR_fake = dre_net(batch_features_fake, batch_real_labels) #Softplus loss softplus_fn = torch.nn.Softplus(beta=1,threshold=20) sigmoid_fn = torch.nn.Sigmoid() SP_div = torch.mean(sigmoid_fn(DR_fake) * DR_fake) - torch.mean(softplus_fn(DR_fake)) - torch.mean(sigmoid_fn(DR_real)) #penalty term: prevent assigning zero to all fake image # penalty = dre_lambda * (torch.mean(DR_fake)/num_unique_classes - 1)**2 # loss = SP_div/num_unique_classes + penalty penalty = dre_lambda * (torch.mean(DR_fake) - 1)**2 loss = SP_div + penalty #backward pass optimizer.zero_grad() loss.backward() optimizer.step() train_loss += loss.cpu().item() # end for batch_idx print("cDRE+{}+lambda{}: [epoch {}/{}] [train loss {}] [Time {}]".format(dre_net_name, dre_lambda, epoch+1, dre_epochs, train_loss/(batch_idx+1), timeit.default_timer()-start_time)) avg_train_loss.append(train_loss/(batch_idx+1)) # save checkpoint if path_to_ckpt is not None and ((epoch+1) % 50 == 0 or (epoch+1)==dre_epochs): ckpt_fullpath = path_to_ckpt + "/cDRE_{}_checkpoint_epoch_{}.pth".format(dre_net_name, epoch+1) torch.save({ 'epoch': epoch, 'net_state_dict': dre_net.state_dict(), 'optimizer_state_dict': optimizer.state_dict(), }, ckpt_fullpath) # save loss logfile_fullpath = path_to_ckpt + "/cDRE_{}_train_loss_epoch_{}.npz".format(dre_net_name, epoch+1) np.savez(logfile_fullpath, np.array(avg_train_loss)) #end for epoch netG = netG.cpu() #back to memory return dre_net, avg_train_loss #end for def
5,355
35.435374
189
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/train_cnn.py
''' For CNN training and testing. ''' import os import timeit import torch import torch.nn as nn import numpy as np from torch.nn import functional as F def denorm(x, means, stds): ''' x: torch tensor means: means for normalization stds: stds for normalization ''' x_ch0 = torch.unsqueeze(x[:, 0], 1) * (stds[0] / 0.5) + (means[0] - 0.5) / 0.5 x_ch1 = torch.unsqueeze(x[:, 1], 1) * (stds[1] / 0.5) + (means[1] - 0.5) / 0.5 x_ch2 = torch.unsqueeze(x[:, 2], 1) * (stds[2] / 0.5) + (means[2] - 0.5) / 0.5 x = torch.cat((x_ch0, x_ch1, x_ch2), 1) return x ''' function for cnn training ''' def train_cnn(net, net_name, trainloader, testloader, epochs, resume_epoch=0, save_freq=[100, 150], lr_base=0.1, lr_decay_factor=0.1, lr_decay_epochs=[150, 250], weight_decay=1e-4, extract_feature=False, net_decoder=None, lambda_reconst=0, train_means=None, train_stds=None, path_to_ckpt = None): ''' learning rate decay ''' def adjust_learning_rate(optimizer, epoch): """decrease the learning rate """ lr = lr_base num_decays = len(lr_decay_epochs) for decay_i in range(num_decays): if epoch >= lr_decay_epochs[decay_i]: lr = lr * lr_decay_factor #end if epoch #end for decay_i for param_group in optimizer.param_groups: param_group['lr'] = lr net = net.cuda() criterion = nn.CrossEntropyLoss() params = list(net.parameters()) if lambda_reconst>0 and net_decoder is not None: net_decoder = net_decoder.cuda() criterion_reconst = nn.MSELoss() params += list(net_decoder.parameters()) optimizer = torch.optim.SGD(params, lr = lr_base, momentum= 0.9, weight_decay=weight_decay) # optimizer = torch.optim.Adam(params, lr = lr_base, betas=(0, 0.999), weight_decay=weight_decay) if path_to_ckpt is not None and resume_epoch>0: save_file = path_to_ckpt + "/{}_checkpoint_epoch_{}.pth".format(net_name, resume_epoch) if lambda_reconst>0 and net_decoder is not None: checkpoint = torch.load(save_file) net.load_state_dict(checkpoint['net_state_dict']) net_decoder.load_state_dict(checkpoint['net_decoder_state_dict']) optimizer.load_state_dict(checkpoint['optimizer_state_dict']) torch.set_rng_state(checkpoint['rng_state']) else: checkpoint = torch.load(save_file) net.load_state_dict(checkpoint['net_state_dict']) optimizer.load_state_dict(checkpoint['optimizer_state_dict']) torch.set_rng_state(checkpoint['rng_state']) #end if start_time = timeit.default_timer() for epoch in range(resume_epoch, epochs): net.train() train_loss = 0 train_loss_const = 0 adjust_learning_rate(optimizer, epoch) for batch_idx, (batch_train_images, batch_train_labels) in enumerate(trainloader): batch_train_images = batch_train_images.type(torch.float).cuda() batch_train_labels = batch_train_labels.type(torch.long).cuda() #Forward pass if lambda_reconst>0 and net_decoder is not None and extract_feature: outputs, features = net(batch_train_images) batch_reconst_images = net_decoder(features) class_loss = criterion(outputs, batch_train_labels) if train_means and train_stds: batch_train_images = denorm(batch_train_images, train_means, train_stds) #decoder use different normalization constants reconst_loss = criterion_reconst(batch_reconst_images, batch_train_images) loss = class_loss + lambda_reconst * reconst_loss else: if extract_feature: outputs, _ = net(batch_train_images) else: outputs = net(batch_train_images) ## standard CE loss loss = criterion(outputs, batch_train_labels) #backward pass optimizer.zero_grad() loss.backward() optimizer.step() train_loss += loss.cpu().item() if lambda_reconst>0 and net_decoder is not None and extract_feature: train_loss_const += reconst_loss.cpu().item() #end for batch_idx test_acc = test_cnn(net, testloader, extract_feature, verbose=False) if lambda_reconst>0 and net_decoder is not None and extract_feature: print("{}, lambda:{:.3f}: [epoch {}/{}] train_loss:{:.3f}, reconst_loss:{:.3f}, test_acc:{:.3f} Time:{:.4f}".format(net_name, lambda_reconst, epoch+1, epochs, train_loss/(batch_idx+1), train_loss_const/(batch_idx+1), test_acc, timeit.default_timer()-start_time)) else: print('%s: [epoch %d/%d] train_loss:%.3f, test_acc:%.3f Time: %.4f' % (net_name, epoch+1, epochs, train_loss/(batch_idx+1), test_acc, timeit.default_timer()-start_time)) # save checkpoint if path_to_ckpt is not None and ((epoch+1) in save_freq or (epoch+1) == epochs) : save_file = path_to_ckpt + "/{}_checkpoint_epoch_{}.pth".format(net_name, epoch+1) if lambda_reconst>0 and net_decoder is not None: torch.save({ 'net_state_dict': net.state_dict(), 'net_decoder_state_dict': net_decoder.state_dict(), 'optimizer_state_dict': optimizer.state_dict(), 'rng_state': torch.get_rng_state() }, save_file) else: torch.save({ 'net_state_dict': net.state_dict(), 'optimizer_state_dict': optimizer.state_dict(), 'rng_state': torch.get_rng_state() }, save_file) #end for epoch return net def test_cnn(net, testloader, extract_feature=False, verbose=False): net = net.cuda() net.eval() # eval mode (batchnorm uses moving mean/variance instead of mini-batch mean/variance) with torch.no_grad(): correct = 0 total = 0 for batch_idx, (images, labels) in enumerate(testloader): images = images.type(torch.float).cuda() labels = labels.type(torch.long).cuda() if extract_feature: outputs,_ = net(images) else: outputs = net(images) _, predicted = torch.max(outputs.data, 1) total += labels.size(0) correct += (predicted == labels).sum().item() if verbose: print('Test Accuracy of the model on the 10000 test images: {} %'.format(100.0 * correct / total)) return 100.0 * correct / total
6,774
42.152866
296
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/efficientnet.py
'''EfficientNet in PyTorch. Paper: "EfficientNet: Rethinking Model Scaling for Convolutional Neural Networks". Reference: https://github.com/keras-team/keras-applications/blob/master/keras_applications/efficientnet.py ''' import torch import torch.nn as nn import torch.nn.functional as F def swish(x): return x * x.sigmoid() def drop_connect(x, drop_ratio): keep_ratio = 1.0 - drop_ratio mask = torch.empty([x.shape[0], 1, 1, 1], dtype=x.dtype, device=x.device) mask.bernoulli_(keep_ratio) x.div_(keep_ratio) x.mul_(mask) return x class SE(nn.Module): '''Squeeze-and-Excitation block with Swish.''' def __init__(self, in_channels, se_channels): super(SE, self).__init__() self.se1 = nn.Conv2d(in_channels, se_channels, kernel_size=1, bias=True) self.se2 = nn.Conv2d(se_channels, in_channels, kernel_size=1, bias=True) def forward(self, x): out = F.adaptive_avg_pool2d(x, (1, 1)) out = swish(self.se1(out)) out = self.se2(out).sigmoid() out = x * out return out class Block(nn.Module): '''expansion + depthwise + pointwise + squeeze-excitation''' def __init__(self, in_channels, out_channels, kernel_size, stride, expand_ratio=1, se_ratio=0., drop_rate=0.): super(Block, self).__init__() self.stride = stride self.drop_rate = drop_rate self.expand_ratio = expand_ratio # Expansion channels = expand_ratio * in_channels self.conv1 = nn.Conv2d(in_channels, channels, kernel_size=1, stride=1, padding=0, bias=False) self.bn1 = nn.BatchNorm2d(channels) # Depthwise conv self.conv2 = nn.Conv2d(channels, channels, kernel_size=kernel_size, stride=stride, padding=(1 if kernel_size == 3 else 2), groups=channels, bias=False) self.bn2 = nn.BatchNorm2d(channels) # SE layers se_channels = int(in_channels * se_ratio) self.se = SE(channels, se_channels) # Output self.conv3 = nn.Conv2d(channels, out_channels, kernel_size=1, stride=1, padding=0, bias=False) self.bn3 = nn.BatchNorm2d(out_channels) # Skip connection if in and out shapes are the same (MV-V2 style) self.has_skip = (stride == 1) and (in_channels == out_channels) def forward(self, x): out = x if self.expand_ratio == 1 else swish(self.bn1(self.conv1(x))) out = swish(self.bn2(self.conv2(out))) out = self.se(out) out = self.bn3(self.conv3(out)) if self.has_skip: if self.training and self.drop_rate > 0: out = drop_connect(out, self.drop_rate) out = out + x return out class EfficientNet(nn.Module): def __init__(self, cfg, num_classes=10): super(EfficientNet, self).__init__() self.cfg = cfg self.conv1 = nn.Conv2d(3, 32, kernel_size=3, stride=1, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(32) self.layers = self._make_layers(in_channels=32) self.linear = nn.Linear(cfg['out_channels'][-1], num_classes) def _make_layers(self, in_channels): layers = [] cfg = [self.cfg[k] for k in ['expansion', 'out_channels', 'num_blocks', 'kernel_size', 'stride']] b = 0 blocks = sum(self.cfg['num_blocks']) for expansion, out_channels, num_blocks, kernel_size, stride in zip(*cfg): strides = [stride] + [1] * (num_blocks - 1) for stride in strides: drop_rate = self.cfg['drop_connect_rate'] * b / blocks layers.append( Block(in_channels, out_channels, kernel_size, stride, expansion, se_ratio=0.25, drop_rate=drop_rate)) in_channels = out_channels return nn.Sequential(*layers) def forward(self, x): out = swish(self.bn1(self.conv1(x))) out = self.layers(out) out = F.adaptive_avg_pool2d(out, 1) out = out.view(out.size(0), -1) dropout_rate = self.cfg['dropout_rate'] if self.training and dropout_rate > 0: out = F.dropout(out, p=dropout_rate) out = self.linear(out) return out def EfficientNetB0(num_classes=10): cfg = { 'num_blocks': [1, 2, 2, 3, 3, 4, 1], 'expansion': [1, 6, 6, 6, 6, 6, 6], 'out_channels': [16, 24, 40, 80, 112, 192, 320], 'kernel_size': [3, 3, 5, 3, 5, 5, 3], 'stride': [1, 2, 2, 2, 1, 2, 1], 'dropout_rate': 0.2, 'drop_connect_rate': 0.2, } return EfficientNet(cfg, num_classes=num_classes) def test(): net = EfficientNetB0() x = torch.randn(2, 3, 32, 32) y = net(x) print(y.shape) if __name__ == '__main__': test()
5,755
32.271676
106
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/BigGAN.py
import numpy as np import math import functools import torch import torch.nn as nn from torch.nn import init import torch.optim as optim import torch.nn.functional as F from torch.nn import Parameter as P from models import layers # import layers # from sync_batchnorm import SynchronizedBatchNorm2d as SyncBatchNorm2d # Architectures for G # Attention is passed in in the format '32_64' to mean applying an attention # block at both resolution 32x32 and 64x64. Just '64' will apply at 64x64. def G_arch(ch=64, attention='64', ksize='333333', dilation='111111'): arch = {} arch[512] = {'in_channels' : [ch * item for item in [16, 16, 8, 8, 4, 2, 1]], 'out_channels' : [ch * item for item in [16, 8, 8, 4, 2, 1, 1]], 'upsample' : [True] * 7, 'resolution' : [8, 16, 32, 64, 128, 256, 512], 'attention' : {2**i: (2**i in [int(item) for item in attention.split('_')]) for i in range(3,10)}} arch[256] = {'in_channels' : [ch * item for item in [16, 16, 8, 8, 4, 2]], 'out_channels' : [ch * item for item in [16, 8, 8, 4, 2, 1]], 'upsample' : [True] * 6, 'resolution' : [8, 16, 32, 64, 128, 256], 'attention' : {2**i: (2**i in [int(item) for item in attention.split('_')]) for i in range(3,9)}} arch[128] = {'in_channels' : [ch * item for item in [16, 16, 8, 4, 2]], 'out_channels' : [ch * item for item in [16, 8, 4, 2, 1]], 'upsample' : [True] * 5, 'resolution' : [8, 16, 32, 64, 128], 'attention' : {2**i: (2**i in [int(item) for item in attention.split('_')]) for i in range(3,8)}} arch[64] = {'in_channels' : [ch * item for item in [16, 16, 8, 4]], 'out_channels' : [ch * item for item in [16, 8, 4, 2]], 'upsample' : [True] * 4, 'resolution' : [8, 16, 32, 64], 'attention' : {2**i: (2**i in [int(item) for item in attention.split('_')]) for i in range(3,7)}} arch[32] = {'in_channels' : [ch * item for item in [4, 4, 4]], 'out_channels' : [ch * item for item in [4, 4, 4]], 'upsample' : [True] * 3, 'resolution' : [8, 16, 32], 'attention' : {2**i: (2**i in [int(item) for item in attention.split('_')]) for i in range(3,6)}} return arch class BigGAN_Generator(nn.Module): def __init__(self, G_ch=64, dim_z=128, bottom_width=4, resolution=128, G_kernel_size=3, G_attn='64', n_classes=1000, num_G_SVs=1, num_G_SV_itrs=1, G_shared=True, shared_dim=0, hier=False, cross_replica=False, mybn=False, G_activation=nn.ReLU(inplace=False), G_lr=5e-5, G_B1=0.0, G_B2=0.999, adam_eps=1e-8, BN_eps=1e-5, SN_eps=1e-12, G_mixed_precision=False, G_fp16=False, G_init='ortho', skip_init=False, no_optim=False, G_param='SN', norm_style='bn', **kwargs): super(BigGAN_Generator, self).__init__() # Channel width mulitplier self.ch = G_ch # Dimensionality of the latent space self.dim_z = dim_z # The initial spatial dimensions self.bottom_width = bottom_width # Resolution of the output self.resolution = resolution # Kernel size? self.kernel_size = G_kernel_size # Attention? self.attention = G_attn # number of classes, for use in categorical conditional generation self.n_classes = n_classes # Use shared embeddings? self.G_shared = G_shared # Dimensionality of the shared embedding? Unused if not using G_shared self.shared_dim = shared_dim if shared_dim > 0 else dim_z # Hierarchical latent space? self.hier = hier # Cross replica batchnorm? self.cross_replica = cross_replica # Use my batchnorm? self.mybn = mybn # nonlinearity for residual blocks self.activation = G_activation # Initialization style self.init = G_init # Parameterization style self.G_param = G_param # Normalization style self.norm_style = norm_style # Epsilon for BatchNorm? self.BN_eps = BN_eps # Epsilon for Spectral Norm? self.SN_eps = SN_eps # fp16? self.fp16 = G_fp16 # Architecture dict self.arch = G_arch(self.ch, self.attention)[resolution] # If using hierarchical latents, adjust z if self.hier: # Number of places z slots into self.num_slots = len(self.arch['in_channels']) + 1 self.z_chunk_size = (self.dim_z // self.num_slots) # Recalculate latent dimensionality for even splitting into chunks self.dim_z = self.z_chunk_size * self.num_slots else: self.num_slots = 1 self.z_chunk_size = 0 # Which convs, batchnorms, and linear layers to use if self.G_param == 'SN': self.which_conv = functools.partial(layers.SNConv2d, kernel_size=3, padding=1, num_svs=num_G_SVs, num_itrs=num_G_SV_itrs, eps=self.SN_eps) self.which_linear = functools.partial(layers.SNLinear, num_svs=num_G_SVs, num_itrs=num_G_SV_itrs, eps=self.SN_eps) else: self.which_conv = functools.partial(nn.Conv2d, kernel_size=3, padding=1) self.which_linear = nn.Linear # We use a non-spectral-normed embedding here regardless; # For some reason applying SN to G's embedding seems to randomly cripple G self.which_embedding = nn.Embedding bn_linear = (functools.partial(self.which_linear, bias=False) if self.G_shared else self.which_embedding) self.which_bn = functools.partial(layers.ccbn, which_linear=bn_linear, cross_replica=self.cross_replica, mybn=self.mybn, input_size=(self.shared_dim + self.z_chunk_size if self.G_shared else self.n_classes), norm_style=self.norm_style, eps=self.BN_eps) # Prepare model # If not using shared embeddings, self.shared is just a passthrough self.shared = (self.which_embedding(n_classes, self.shared_dim) if G_shared else layers.identity()) # First linear layer self.linear = self.which_linear(self.dim_z // self.num_slots, self.arch['in_channels'][0] * (self.bottom_width **2)) # self.blocks is a doubly-nested list of modules, the outer loop intended # to be over blocks at a given resolution (resblocks and/or self-attention) # while the inner loop is over a given block self.blocks = [] for index in range(len(self.arch['out_channels'])): self.blocks += [[layers.GBlock(in_channels=self.arch['in_channels'][index], out_channels=self.arch['out_channels'][index], which_conv=self.which_conv, which_bn=self.which_bn, activation=self.activation, upsample=(functools.partial(F.interpolate, scale_factor=2) if self.arch['upsample'][index] else None))]] # If attention on this block, attach it to the end if self.arch['attention'][self.arch['resolution'][index]]: print('Adding attention layer in G at resolution %d' % self.arch['resolution'][index]) self.blocks[-1] += [layers.Attention(self.arch['out_channels'][index], self.which_conv)] # Turn self.blocks into a ModuleList so that it's all properly registered. self.blocks = nn.ModuleList([nn.ModuleList(block) for block in self.blocks]) # output layer: batchnorm-relu-conv. # Consider using a non-spectral conv here self.output_layer = nn.Sequential(layers.bn(self.arch['out_channels'][-1], cross_replica=self.cross_replica, mybn=self.mybn), self.activation, self.which_conv(self.arch['out_channels'][-1], 3)) # Initialize weights. Optionally skip init for testing. if not skip_init: self.init_weights() # Set up optimizer # If this is an EMA copy, no need for an optim, so just return now if no_optim: return self.lr, self.B1, self.B2, self.adam_eps = G_lr, G_B1, G_B2, adam_eps if G_mixed_precision: print('Using fp16 adam in G...') import utils self.optim = utils.Adam16(params=self.parameters(), lr=self.lr, betas=(self.B1, self.B2), weight_decay=0, eps=self.adam_eps) else: self.optim = optim.Adam(params=self.parameters(), lr=self.lr, betas=(self.B1, self.B2), weight_decay=0, eps=self.adam_eps) # LR scheduling, left here for forward compatibility # self.lr_sched = {'itr' : 0}# if self.progressive else {} # self.j = 0 # Initialize def init_weights(self): self.param_count = 0 for module in self.modules(): if (isinstance(module, nn.Conv2d) or isinstance(module, nn.Linear) or isinstance(module, nn.Embedding)): if self.init == 'ortho': init.orthogonal_(module.weight) elif self.init == 'N02': init.normal_(module.weight, 0, 0.02) elif self.init in ['glorot', 'xavier']: init.xavier_uniform_(module.weight) else: print('Init style not recognized...') self.param_count += sum([p.data.nelement() for p in module.parameters()]) print('Param count for G''s initialized parameters: %d' % self.param_count) # Note on this forward function: we pass in a y vector which has # already been passed through G.shared to enable easy class-wise # interpolation later. If we passed in the one-hot and then ran it through # G.shared in this forward function, it would be harder to handle. def forward(self, z, y): # If hierarchical, concatenate zs and ys if self.hier: zs = torch.split(z, self.z_chunk_size, 1) z = zs[0] ys = [torch.cat([y, item], 1) for item in zs[1:]] else: ys = [y] * len(self.blocks) # First linear layer h = self.linear(z) # Reshape h = h.view(h.size(0), -1, self.bottom_width, self.bottom_width) # Loop over blocks for index, blocklist in enumerate(self.blocks): # Second inner loop in case block has multiple layers for block in blocklist: h = block(h, ys[index]) # Apply batchnorm-relu-conv-tanh at output return torch.tanh(self.output_layer(h)) # Discriminator architecture, same paradigm as G's above def D_arch(ch=64, attention='64',ksize='333333', dilation='111111'): arch = {} arch[256] = {'in_channels' : [3] + [ch*item for item in [1, 2, 4, 8, 8, 16]], 'out_channels' : [item * ch for item in [1, 2, 4, 8, 8, 16, 16]], 'downsample' : [True] * 6 + [False], 'resolution' : [128, 64, 32, 16, 8, 4, 4 ], 'attention' : {2**i: 2**i in [int(item) for item in attention.split('_')] for i in range(2,8)}} arch[128] = {'in_channels' : [3] + [ch*item for item in [1, 2, 4, 8, 16]], 'out_channels' : [item * ch for item in [1, 2, 4, 8, 16, 16]], 'downsample' : [True] * 5 + [False], 'resolution' : [64, 32, 16, 8, 4, 4], 'attention' : {2**i: 2**i in [int(item) for item in attention.split('_')] for i in range(2,8)}} arch[64] = {'in_channels' : [3] + [ch*item for item in [1, 2, 4, 8]], 'out_channels' : [item * ch for item in [1, 2, 4, 8, 16]], 'downsample' : [True] * 4 + [False], 'resolution' : [32, 16, 8, 4, 4], 'attention' : {2**i: 2**i in [int(item) for item in attention.split('_')] for i in range(2,7)}} arch[32] = {'in_channels' : [3] + [item * ch for item in [4, 4, 4]], 'out_channels' : [item * ch for item in [4, 4, 4, 4]], 'downsample' : [True, True, False, False], 'resolution' : [16, 16, 16, 16], 'attention' : {2**i: 2**i in [int(item) for item in attention.split('_')] for i in range(2,6)}} return arch class BigGAN_Discriminator(nn.Module): def __init__(self, D_ch=64, D_wide=True, resolution=128, D_kernel_size=3, D_attn='64', n_classes=1000, num_D_SVs=1, num_D_SV_itrs=1, D_activation=nn.ReLU(inplace=False), D_lr=2e-4, D_B1=0.0, D_B2=0.999, adam_eps=1e-8, SN_eps=1e-12, output_dim=1, D_mixed_precision=False, D_fp16=False, D_init='ortho', skip_init=False, D_param='SN', **kwargs): super(BigGAN_Discriminator, self).__init__() # Width multiplier self.ch = D_ch # Use Wide D as in BigGAN and SA-GAN or skinny D as in SN-GAN? self.D_wide = D_wide # Resolution self.resolution = resolution # Kernel size self.kernel_size = D_kernel_size # Attention? self.attention = D_attn # Number of classes self.n_classes = n_classes # Activation self.activation = D_activation # Initialization style self.init = D_init # Parameterization style self.D_param = D_param # Epsilon for Spectral Norm? self.SN_eps = SN_eps # Fp16? self.fp16 = D_fp16 # Architecture self.arch = D_arch(self.ch, self.attention)[resolution] # Which convs, batchnorms, and linear layers to use # No option to turn off SN in D right now if self.D_param == 'SN': self.which_conv = functools.partial(layers.SNConv2d, kernel_size=3, padding=1, num_svs=num_D_SVs, num_itrs=num_D_SV_itrs, eps=self.SN_eps) self.which_linear = functools.partial(layers.SNLinear, num_svs=num_D_SVs, num_itrs=num_D_SV_itrs, eps=self.SN_eps) self.which_embedding = functools.partial(layers.SNEmbedding, num_svs=num_D_SVs, num_itrs=num_D_SV_itrs, eps=self.SN_eps) # Prepare model # self.blocks is a doubly-nested list of modules, the outer loop intended # to be over blocks at a given resolution (resblocks and/or self-attention) self.blocks = [] for index in range(len(self.arch['out_channels'])): self.blocks += [[layers.DBlock(in_channels=self.arch['in_channels'][index], out_channels=self.arch['out_channels'][index], which_conv=self.which_conv, wide=self.D_wide, activation=self.activation, preactivation=(index > 0), downsample=(nn.AvgPool2d(2) if self.arch['downsample'][index] else None))]] # If attention on this block, attach it to the end if self.arch['attention'][self.arch['resolution'][index]]: print('Adding attention layer in D at resolution %d' % self.arch['resolution'][index]) self.blocks[-1] += [layers.Attention(self.arch['out_channels'][index], self.which_conv)] # Turn self.blocks into a ModuleList so that it's all properly registered. self.blocks = nn.ModuleList([nn.ModuleList(block) for block in self.blocks]) # Linear output layer. The output dimension is typically 1, but may be # larger if we're e.g. turning this into a VAE with an inference output self.linear = self.which_linear(self.arch['out_channels'][-1], output_dim) # Embedding for projection discrimination self.embed = self.which_embedding(self.n_classes, self.arch['out_channels'][-1]) # Initialize weights if not skip_init: self.init_weights() # Set up optimizer self.lr, self.B1, self.B2, self.adam_eps = D_lr, D_B1, D_B2, adam_eps if D_mixed_precision: print('Using fp16 adam in D...') import utils self.optim = utils.Adam16(params=self.parameters(), lr=self.lr, betas=(self.B1, self.B2), weight_decay=0, eps=self.adam_eps) else: self.optim = optim.Adam(params=self.parameters(), lr=self.lr, betas=(self.B1, self.B2), weight_decay=0, eps=self.adam_eps) # LR scheduling, left here for forward compatibility # self.lr_sched = {'itr' : 0}# if self.progressive else {} # self.j = 0 # Initialize def init_weights(self): self.param_count = 0 for module in self.modules(): if (isinstance(module, nn.Conv2d) or isinstance(module, nn.Linear) or isinstance(module, nn.Embedding)): if self.init == 'ortho': init.orthogonal_(module.weight) elif self.init == 'N02': init.normal_(module.weight, 0, 0.02) elif self.init in ['glorot', 'xavier']: init.xavier_uniform_(module.weight) else: print('Init style not recognized...') self.param_count += sum([p.data.nelement() for p in module.parameters()]) print('Param count for D''s initialized parameters: %d' % self.param_count) def forward(self, x, y=None): # Stick x into h for cleaner for loops without flow control h = x # Loop over blocks for index, blocklist in enumerate(self.blocks): for block in blocklist: h = block(h) # Apply global sum pooling as in SN-GAN h = torch.sum(self.activation(h), [2, 3]) # Get initial class-unconditional output out = self.linear(h) # Get projection of final featureset onto class vectors and add to evidence out = out + torch.sum(self.embed(y) * h, 1, keepdim=True) return out # Parallelized G_D to minimize cross-gpu communication # Without this, Generator outputs would get all-gathered and then rebroadcast. class G_D(nn.Module): def __init__(self, G, D): super(G_D, self).__init__() self.G = G self.D = D def forward(self, z, gy, x=None, dy=None, train_G=False, return_G_z=False, split_D=False): # If training G, enable grad tape with torch.set_grad_enabled(train_G): # Get Generator output given noise G_z = self.G(z, self.G.shared(gy)) # Cast as necessary if self.G.fp16 and not self.D.fp16: G_z = G_z.float() if self.D.fp16 and not self.G.fp16: G_z = G_z.half() # Split_D means to run D once with real data and once with fake, # rather than concatenating along the batch dimension. if split_D: D_fake = self.D(G_z, gy) if x is not None: D_real = self.D(x, dy) return D_fake, D_real else: if return_G_z: return D_fake, G_z else: return D_fake # If real data is provided, concatenate it with the Generator's output # along the batch dimension for improved efficiency. else: D_input = torch.cat([G_z, x], 0) if x is not None else G_z D_class = torch.cat([gy, dy], 0) if dy is not None else gy # Get Discriminator output D_out = self.D(D_input, D_class) if x is not None: return torch.split(D_out, [G_z.shape[0], x.shape[0]]) # D_fake, D_real else: if return_G_z: return D_out, G_z else: return D_out
19,745
42.493392
98
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/resnet.py
from __future__ import absolute_import '''Resnet for cifar dataset. Ported form https://github.com/facebook/fb.resnet.torch and https://github.com/pytorch/vision/blob/master/torchvision/models/resnet.py (c) YANG, Wei ''' import torch.nn as nn import torch.nn.functional as F import math __all__ = ['resnet'] def conv3x3(in_planes, out_planes, stride=1): """3x3 convolution with padding""" return nn.Conv2d(in_planes, out_planes, kernel_size=3, stride=stride, padding=1, bias=False) class BasicBlock(nn.Module): expansion = 1 def __init__(self, inplanes, planes, stride=1, downsample=None, is_last=False): super(BasicBlock, self).__init__() self.is_last = is_last self.conv1 = conv3x3(inplanes, planes, stride) self.bn1 = nn.BatchNorm2d(planes) self.relu = nn.ReLU(inplace=True) self.conv2 = conv3x3(planes, planes) self.bn2 = nn.BatchNorm2d(planes) self.downsample = downsample self.stride = stride def forward(self, x): residual = x out = self.conv1(x) out = self.bn1(out) out = self.relu(out) out = self.conv2(out) out = self.bn2(out) if self.downsample is not None: residual = self.downsample(x) out += residual preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class Bottleneck(nn.Module): expansion = 4 def __init__(self, inplanes, planes, stride=1, downsample=None, is_last=False): super(Bottleneck, self).__init__() self.is_last = is_last self.conv1 = nn.Conv2d(inplanes, planes, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = nn.Conv2d(planes, planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(planes) self.conv3 = nn.Conv2d(planes, planes * 4, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(planes * 4) self.relu = nn.ReLU(inplace=True) self.downsample = downsample self.stride = stride def forward(self, x): residual = x out = self.conv1(x) out = self.bn1(out) out = self.relu(out) out = self.conv2(out) out = self.bn2(out) out = self.relu(out) out = self.conv3(out) out = self.bn3(out) if self.downsample is not None: residual = self.downsample(x) out += residual preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class ResNet(nn.Module): def __init__(self, depth, num_filters, block_name='BasicBlock', num_classes=10): super(ResNet, self).__init__() # Model type specifies number of layers for CIFAR-10 model if block_name.lower() == 'basicblock': assert (depth - 2) % 6 == 0, 'When use basicblock, depth should be 6n+2, e.g. 20, 32, 44, 56, 110, 1202' n = (depth - 2) // 6 block = BasicBlock elif block_name.lower() == 'bottleneck': assert (depth - 2) % 9 == 0, 'When use bottleneck, depth should be 9n+2, e.g. 20, 29, 47, 56, 110, 1199' n = (depth - 2) // 9 block = Bottleneck else: raise ValueError('block_name shoule be Basicblock or Bottleneck') self.inplanes = num_filters[0] self.conv1 = nn.Conv2d(3, num_filters[0], kernel_size=3, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(num_filters[0]) self.relu = nn.ReLU(inplace=True) self.layer1 = self._make_layer(block, num_filters[1], n) self.layer2 = self._make_layer(block, num_filters[2], n, stride=2) self.layer3 = self._make_layer(block, num_filters[3], n, stride=2) self.avgpool = nn.AvgPool2d(8) self.fc = nn.Linear(num_filters[3] * block.expansion, num_classes) for m in self.modules(): if isinstance(m, nn.Conv2d): nn.init.kaiming_normal_(m.weight, mode='fan_out', nonlinearity='relu') elif isinstance(m, (nn.BatchNorm2d, nn.GroupNorm)): nn.init.constant_(m.weight, 1) nn.init.constant_(m.bias, 0) def _make_layer(self, block, planes, blocks, stride=1): downsample = None if stride != 1 or self.inplanes != planes * block.expansion: downsample = nn.Sequential( nn.Conv2d(self.inplanes, planes * block.expansion, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(planes * block.expansion), ) layers = list([]) layers.append(block(self.inplanes, planes, stride, downsample, is_last=(blocks == 1))) self.inplanes = planes * block.expansion for i in range(1, blocks): layers.append(block(self.inplanes, planes, is_last=(i == blocks-1))) return nn.Sequential(*layers) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.relu) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) return feat_m def get_bn_before_relu(self): if isinstance(self.layer1[0], Bottleneck): bn1 = self.layer1[-1].bn3 bn2 = self.layer2[-1].bn3 bn3 = self.layer3[-1].bn3 elif isinstance(self.layer1[0], BasicBlock): bn1 = self.layer1[-1].bn2 bn2 = self.layer2[-1].bn2 bn3 = self.layer3[-1].bn2 else: raise NotImplementedError('ResNet unknown block error !!!') return [bn1, bn2, bn3] def forward(self, x, is_feat=False, preact=False): x = self.conv1(x) x = self.bn1(x) x = self.relu(x) # 32x32 f0 = x x, f1_pre = self.layer1(x) # 32x32 f1 = x x, f2_pre = self.layer2(x) # 16x16 f2 = x x, f3_pre = self.layer3(x) # 8x8 f3 = x x = self.avgpool(x) x = x.view(x.size(0), -1) f4 = x x = self.fc(x) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4], x else: return [f0, f1, f2, f3, f4], x else: return x def resnet8(**kwargs): return ResNet(8, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet14(**kwargs): return ResNet(14, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet20(**kwargs): return ResNet(20, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet32(**kwargs): return ResNet(32, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet44(**kwargs): return ResNet(44, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet56(**kwargs): return ResNet(56, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet110(**kwargs): return ResNet(110, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet8x4(**kwargs): return ResNet(8, [32, 64, 128, 256], 'basicblock', **kwargs) def resnet32x4(**kwargs): return ResNet(32, [32, 64, 128, 256], 'basicblock', **kwargs) if __name__ == '__main__': import torch x = torch.randn(2, 3, 32, 32) net = resnet8x4(num_classes=20) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
7,748
29.151751
116
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/mobilenetv2.py
""" MobileNetV2 implementation used in <Knowledge Distillation via Route Constrained Optimization> """ import torch import torch.nn as nn import math __all__ = ['mobilenetv2_T_w', 'mobile_half'] BN = None def conv_bn(inp, oup, stride): return nn.Sequential( nn.Conv2d(inp, oup, 3, stride, 1, bias=False), nn.BatchNorm2d(oup), nn.ReLU(inplace=True) ) def conv_1x1_bn(inp, oup): return nn.Sequential( nn.Conv2d(inp, oup, 1, 1, 0, bias=False), nn.BatchNorm2d(oup), nn.ReLU(inplace=True) ) class InvertedResidual(nn.Module): def __init__(self, inp, oup, stride, expand_ratio): super(InvertedResidual, self).__init__() self.blockname = None self.stride = stride assert stride in [1, 2] self.use_res_connect = self.stride == 1 and inp == oup self.conv = nn.Sequential( # pw nn.Conv2d(inp, inp * expand_ratio, 1, 1, 0, bias=False), nn.BatchNorm2d(inp * expand_ratio), nn.ReLU(inplace=True), # dw nn.Conv2d(inp * expand_ratio, inp * expand_ratio, 3, stride, 1, groups=inp * expand_ratio, bias=False), nn.BatchNorm2d(inp * expand_ratio), nn.ReLU(inplace=True), # pw-linear nn.Conv2d(inp * expand_ratio, oup, 1, 1, 0, bias=False), nn.BatchNorm2d(oup), ) self.names = ['0', '1', '2', '3', '4', '5', '6', '7'] def forward(self, x): t = x if self.use_res_connect: return t + self.conv(x) else: return self.conv(x) class MobileNetV2(nn.Module): """mobilenetV2""" def __init__(self, T, feature_dim, input_size=32, width_mult=1., remove_avg=False): super(MobileNetV2, self).__init__() self.remove_avg = remove_avg # setting of inverted residual blocks self.interverted_residual_setting = [ # t, c, n, s [1, 16, 1, 1], [T, 24, 2, 1], [T, 32, 3, 2], [T, 64, 4, 2], [T, 96, 3, 1], [T, 160, 3, 2], [T, 320, 1, 1], ] # building first layer assert input_size % 32 == 0 input_channel = int(32 * width_mult) self.conv1 = conv_bn(3, input_channel, 2) # building inverted residual blocks self.blocks = nn.ModuleList([]) for t, c, n, s in self.interverted_residual_setting: output_channel = int(c * width_mult) layers = [] strides = [s] + [1] * (n - 1) for stride in strides: layers.append( InvertedResidual(input_channel, output_channel, stride, t) ) input_channel = output_channel self.blocks.append(nn.Sequential(*layers)) self.last_channel = int(1280 * width_mult) if width_mult > 1.0 else 1280 self.conv2 = conv_1x1_bn(input_channel, self.last_channel) # building classifier self.classifier = nn.Sequential( # nn.Dropout(0.5), nn.Linear(self.last_channel, feature_dim), ) H = input_size // (32//2) self.avgpool = nn.AvgPool2d(H, ceil_mode=True) self._initialize_weights() print(T, width_mult) def get_bn_before_relu(self): bn1 = self.blocks[1][-1].conv[-1] bn2 = self.blocks[2][-1].conv[-1] bn3 = self.blocks[4][-1].conv[-1] bn4 = self.blocks[6][-1].conv[-1] return [bn1, bn2, bn3, bn4] def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.blocks) return feat_m def forward(self, x, is_feat=False, preact=False): out = self.conv1(x) f0 = out out = self.blocks[0](out) out = self.blocks[1](out) f1 = out out = self.blocks[2](out) f2 = out out = self.blocks[3](out) out = self.blocks[4](out) f3 = out out = self.blocks[5](out) out = self.blocks[6](out) f4 = out out = self.conv2(out) if not self.remove_avg: out = self.avgpool(out) out = out.view(out.size(0), -1) f5 = out out = self.classifier(out) if is_feat: return [f0, f1, f2, f3, f4, f5], out else: return out def _initialize_weights(self): for m in self.modules(): if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) if m.bias is not None: m.bias.data.zero_() elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() elif isinstance(m, nn.Linear): n = m.weight.size(1) m.weight.data.normal_(0, 0.01) m.bias.data.zero_() def mobilenetv2_T_w(T, W, feature_dim=100): model = MobileNetV2(T=T, feature_dim=feature_dim, width_mult=W) return model def mobile_half(num_classes): return mobilenetv2_T_w(6, 0.5, num_classes) if __name__ == '__main__': x = torch.randn(2, 3, 32, 32) net = mobile_half(100) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
5,705
27.108374
115
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/vgg.py
'''VGG for CIFAR10. FC layers are removed. (c) YANG, Wei ''' import torch.nn as nn import torch.nn.functional as F import math __all__ = [ 'VGG', 'vgg11', 'vgg11_bn', 'vgg13', 'vgg13_bn', 'vgg16', 'vgg16_bn', 'vgg19_bn', 'vgg19', ] model_urls = { 'vgg11': 'https://download.pytorch.org/models/vgg11-bbd30ac9.pth', 'vgg13': 'https://download.pytorch.org/models/vgg13-c768596a.pth', 'vgg16': 'https://download.pytorch.org/models/vgg16-397923af.pth', 'vgg19': 'https://download.pytorch.org/models/vgg19-dcbb9e9d.pth', } class VGG(nn.Module): def __init__(self, cfg, batch_norm=False, num_classes=1000): super(VGG, self).__init__() self.block0 = self._make_layers(cfg[0], batch_norm, 3) self.block1 = self._make_layers(cfg[1], batch_norm, cfg[0][-1]) self.block2 = self._make_layers(cfg[2], batch_norm, cfg[1][-1]) self.block3 = self._make_layers(cfg[3], batch_norm, cfg[2][-1]) self.block4 = self._make_layers(cfg[4], batch_norm, cfg[3][-1]) self.pool0 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool1 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool2 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool3 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool4 = nn.AdaptiveAvgPool2d((1, 1)) # self.pool4 = nn.MaxPool2d(kernel_size=2, stride=2) self.classifier = nn.Linear(512, num_classes) self._initialize_weights() def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.block0) feat_m.append(self.pool0) feat_m.append(self.block1) feat_m.append(self.pool1) feat_m.append(self.block2) feat_m.append(self.pool2) feat_m.append(self.block3) feat_m.append(self.pool3) feat_m.append(self.block4) feat_m.append(self.pool4) return feat_m def get_bn_before_relu(self): bn1 = self.block1[-1] bn2 = self.block2[-1] bn3 = self.block3[-1] bn4 = self.block4[-1] return [bn1, bn2, bn3, bn4] def forward(self, x, is_feat=False, preact=False): h = x.shape[2] x = F.relu(self.block0(x)) f0 = x x = self.pool0(x) x = self.block1(x) f1_pre = x x = F.relu(x) f1 = x x = self.pool1(x) x = self.block2(x) f2_pre = x x = F.relu(x) f2 = x x = self.pool2(x) x = self.block3(x) f3_pre = x x = F.relu(x) f3 = x if h == 64: x = self.pool3(x) x = self.block4(x) f4_pre = x x = F.relu(x) f4 = x x = self.pool4(x) x = x.view(x.size(0), -1) f5 = x x = self.classifier(x) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4_pre, f5], x else: return [f0, f1, f2, f3, f4, f5], x else: return x @staticmethod def _make_layers(cfg, batch_norm=False, in_channels=3): layers = [] for v in cfg: if v == 'M': layers += [nn.MaxPool2d(kernel_size=2, stride=2)] else: conv2d = nn.Conv2d(in_channels, v, kernel_size=3, padding=1) if batch_norm: layers += [conv2d, nn.BatchNorm2d(v), nn.ReLU(inplace=True)] else: layers += [conv2d, nn.ReLU(inplace=True)] in_channels = v layers = layers[:-1] return nn.Sequential(*layers) def _initialize_weights(self): for m in self.modules(): if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) if m.bias is not None: m.bias.data.zero_() elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() elif isinstance(m, nn.Linear): n = m.weight.size(1) m.weight.data.normal_(0, 0.01) m.bias.data.zero_() cfg = { 'A': [[64], [128], [256, 256], [512, 512], [512, 512]], 'B': [[64, 64], [128, 128], [256, 256], [512, 512], [512, 512]], 'D': [[64, 64], [128, 128], [256, 256, 256], [512, 512, 512], [512, 512, 512]], 'E': [[64, 64], [128, 128], [256, 256, 256, 256], [512, 512, 512, 512], [512, 512, 512, 512]], 'S': [[64], [128], [256], [512], [512]], } def vgg8(**kwargs): """VGG 8-layer model (configuration "S") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['S'], **kwargs) return model def vgg8_bn(**kwargs): """VGG 8-layer model (configuration "S") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['S'], batch_norm=True, **kwargs) return model def vgg11(**kwargs): """VGG 11-layer model (configuration "A") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['A'], **kwargs) return model def vgg11_bn(**kwargs): """VGG 11-layer model (configuration "A") with batch normalization""" model = VGG(cfg['A'], batch_norm=True, **kwargs) return model def vgg13(**kwargs): """VGG 13-layer model (configuration "B") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['B'], **kwargs) return model def vgg13_bn(**kwargs): """VGG 13-layer model (configuration "B") with batch normalization""" model = VGG(cfg['B'], batch_norm=True, **kwargs) return model def vgg16(**kwargs): """VGG 16-layer model (configuration "D") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['D'], **kwargs) return model def vgg16_bn(**kwargs): """VGG 16-layer model (configuration "D") with batch normalization""" model = VGG(cfg['D'], batch_norm=True, **kwargs) return model def vgg19(**kwargs): """VGG 19-layer model (configuration "E") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['E'], **kwargs) return model def vgg19_bn(**kwargs): """VGG 19-layer model (configuration 'E') with batch normalization""" model = VGG(cfg['E'], batch_norm=True, **kwargs) return model if __name__ == '__main__': import torch x = torch.randn(2, 3, 32, 32) net = vgg19_bn(num_classes=100) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
6,971
28.417722
98
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/densenet.py
'''DenseNet in PyTorch.''' import math import torch import torch.nn as nn import torch.nn.functional as F from torch.autograd import Variable NC=3 resize = (32,32) class Bottleneck(nn.Module): def __init__(self, in_planes, growth_rate): super(Bottleneck, self).__init__() self.bn1 = nn.BatchNorm2d(in_planes) self.conv1 = nn.Conv2d(in_planes, 4*growth_rate, kernel_size=1, bias=False) self.bn2 = nn.BatchNorm2d(4*growth_rate) self.conv2 = nn.Conv2d(4*growth_rate, growth_rate, kernel_size=3, padding=1, bias=False) def forward(self, x): out = self.conv1(F.relu(self.bn1(x))) out = self.conv2(F.relu(self.bn2(out))) out = torch.cat([out,x], 1) return out class Transition(nn.Module): def __init__(self, in_planes, out_planes): super(Transition, self).__init__() self.bn = nn.BatchNorm2d(in_planes) self.conv = nn.Conv2d(in_planes, out_planes, kernel_size=1, bias=False) def forward(self, x): out = self.conv(F.relu(self.bn(x))) out = F.avg_pool2d(out, 2) return out class DenseNet(nn.Module): def __init__(self, block, nblocks, growth_rate=12, reduction=0.5, num_classes=10): super(DenseNet, self).__init__() self.growth_rate = growth_rate num_planes = 2*growth_rate self.conv1 = nn.Conv2d(NC, num_planes, kernel_size=3, padding=1, bias=False) self.dense1 = self._make_dense_layers(block, num_planes, nblocks[0]) num_planes += nblocks[0]*growth_rate out_planes = int(math.floor(num_planes*reduction)) self.trans1 = Transition(num_planes, out_planes) num_planes = out_planes self.dense2 = self._make_dense_layers(block, num_planes, nblocks[1]) num_planes += nblocks[1]*growth_rate out_planes = int(math.floor(num_planes*reduction)) self.trans2 = Transition(num_planes, out_planes) num_planes = out_planes self.dense3 = self._make_dense_layers(block, num_planes, nblocks[2]) num_planes += nblocks[2]*growth_rate out_planes = int(math.floor(num_planes*reduction)) self.trans3 = Transition(num_planes, out_planes) num_planes = out_planes self.dense4 = self._make_dense_layers(block, num_planes, nblocks[3]) num_planes += nblocks[3]*growth_rate self.bn = nn.BatchNorm2d(num_planes) self.linear = nn.Linear(num_planes, num_classes) def _make_dense_layers(self, block, in_planes, nblock): layers = [] for i in range(nblock): layers.append(block(in_planes, self.growth_rate)) in_planes += self.growth_rate return nn.Sequential(*layers) def forward(self, x): # x = nn.functional.interpolate(x,size=resize,mode='bilinear',align_corners=True) out = self.conv1(x) out = self.trans1(self.dense1(out)) out = self.trans2(self.dense2(out)) out = self.trans3(self.dense3(out)) out = self.dense4(out) out = F.avg_pool2d(F.relu(self.bn(out)), 4) out = out.view(out.size(0), -1) out = self.linear(out) return out def DenseNet121(num_classes=10): return DenseNet(Bottleneck, [6,12,24,16], growth_rate=32, num_classes=num_classes) def DenseNet169(num_classes=10): return DenseNet(Bottleneck, [6,12,32,32], growth_rate=32, num_classes=num_classes) def DenseNet201(num_classes=10): return DenseNet(Bottleneck, [6,12,48,32], growth_rate=32, num_classes=num_classes) def DenseNet161(num_classes=10): return DenseNet(Bottleneck, [6,12,36,24], growth_rate=48, num_classes=num_classes) def test_densenet(): net = DenseNet121(num_classes=10) x = torch.randn(2,3,32,32) y = net(Variable(x)) print(y.shape) if __name__ == "__main__": test_densenet()
3,837
32.373913
96
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/ResNet_extract.py
''' ResNet-based model to map an image from pixel space to a features space. Need to be pretrained on the dataset. codes are based on @article{ zhang2018mixup, title={mixup: Beyond Empirical Risk Minimization}, author={Hongyi Zhang, Moustapha Cisse, Yann N. Dauphin, David Lopez-Paz}, journal={International Conference on Learning Representations}, year={2018}, url={https://openreview.net/forum?id=r1Ddp1-Rb}, } ''' import torch import torch.nn as nn import torch.nn.functional as F from torch.autograd import Variable IMG_SIZE=32 NC=3 resize=(32,32) class BasicBlock(nn.Module): expansion = 1 def __init__(self, in_planes, planes, stride=1): super(BasicBlock, self).__init__() self.conv1 = nn.Conv2d(in_planes, planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = nn.Conv2d(planes, planes, kernel_size=3, stride=1, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(planes) self.shortcut = nn.Sequential() if stride != 1 or in_planes != self.expansion*planes: self.shortcut = nn.Sequential( nn.Conv2d(in_planes, self.expansion*planes, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(self.expansion*planes) ) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = self.bn2(self.conv2(out)) out += self.shortcut(x) out = F.relu(out) return out class Bottleneck(nn.Module): expansion = 4 def __init__(self, in_planes, planes, stride=1): super(Bottleneck, self).__init__() self.conv1 = nn.Conv2d(in_planes, planes, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = nn.Conv2d(planes, planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(planes) self.conv3 = nn.Conv2d(planes, self.expansion*planes, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(self.expansion*planes) self.shortcut = nn.Sequential() if stride != 1 or in_planes != self.expansion*planes: self.shortcut = nn.Sequential( nn.Conv2d(in_planes, self.expansion*planes, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(self.expansion*planes) ) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = F.relu(self.bn2(self.conv2(out))) out = self.bn3(self.conv3(out)) out += self.shortcut(x) out = F.relu(out) return out class ResNet_extract(nn.Module): def __init__(self, block, num_blocks, num_classes=100, nc=NC, img_height=IMG_SIZE, img_width=IMG_SIZE): super(ResNet_extract, self).__init__() self.in_planes = 64 self.main = nn.Sequential( nn.Conv2d(nc, 64, kernel_size=3, stride=1, padding=1, bias=False), # h=h nn.BatchNorm2d(64), nn.ReLU(), self._make_layer(block, 64, num_blocks[0], stride=1), # h=h self._make_layer(block, 128, num_blocks[1], stride=2), self._make_layer(block, 256, num_blocks[2], stride=2), self._make_layer(block, 512, num_blocks[3], stride=2), nn.AvgPool2d(kernel_size=4) ) self.classifier_1 = nn.Sequential( nn.Linear(512*block.expansion, img_height*img_width*nc), ) self.classifier_2 = nn.Sequential( nn.BatchNorm1d(img_height*img_width*nc), nn.ReLU(), nn.Dropout(0.5), nn.Linear(img_height*img_width*nc, 1024), nn.BatchNorm1d(1024), nn.ReLU(), nn.Dropout(0.5), nn.Linear(1024, 256), nn.BatchNorm1d(256), nn.ReLU(), nn.Dropout(0.5), nn.Linear(256, num_classes), ) def _make_layer(self, block, planes, num_blocks, stride): strides = [stride] + [1]*(num_blocks-1) layers = [] for stride in strides: layers.append(block(self.in_planes, planes, stride)) self.in_planes = planes * block.expansion return nn.Sequential(*layers) def forward(self, x): # x = nn.functional.interpolate(x,size=resize,mode='bilinear',align_corners=True) features = self.main(x) features = features.view(features.size(0), -1) features = self.classifier_1(features) out = self.classifier_2(features) return out, features def ResNet18_extract(num_classes=10): return ResNet_extract(BasicBlock, [2,2,2,2], num_classes=num_classes) def ResNet34_extract(num_classes=10): return ResNet_extract(BasicBlock, [3,4,6,3], num_classes=num_classes) def ResNet50_extract(num_classes=10): return ResNet_extract(Bottleneck, [3,4,6,3], num_classes=num_classes) def ResNet101_extract(num_classes=10): return ResNet_extract(Bottleneck, [3,4,23,3], num_classes=num_classes) def ResNet152_extract(num_classes=10): return ResNet_extract(Bottleneck, [3,8,36,3], num_classes=num_classes) if __name__ == "__main__": net = ResNet34_extract(num_classes=10).cuda() x = torch.randn(16,3,32,32).cuda() out, features = net(x) print(out.size()) print(features.size()) def get_parameter_number(net): total_num = sum(p.numel() for p in net.parameters()) trainable_num = sum(p.numel() for p in net.parameters() if p.requires_grad) return {'Total': total_num, 'Trainable': trainable_num} print(get_parameter_number(net))
5,650
33.668712
107
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/resnetv2.py
'''ResNet in PyTorch. For Pre-activation ResNet, see 'preact_resnet.py'. Reference: [1] Kaiming He, Xiangyu Zhang, Shaoqing Ren, Jian Sun Deep Residual Learning for Image Recognition. arXiv:1512.03385 ''' import torch import torch.nn as nn import torch.nn.functional as F class BasicBlock(nn.Module): expansion = 1 def __init__(self, in_planes, planes, stride=1, is_last=False): super(BasicBlock, self).__init__() self.is_last = is_last self.conv1 = nn.Conv2d(in_planes, planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = nn.Conv2d(planes, planes, kernel_size=3, stride=1, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(planes) self.shortcut = nn.Sequential() if stride != 1 or in_planes != self.expansion * planes: self.shortcut = nn.Sequential( nn.Conv2d(in_planes, self.expansion * planes, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(self.expansion * planes) ) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = self.bn2(self.conv2(out)) out += self.shortcut(x) preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class Bottleneck(nn.Module): expansion = 4 def __init__(self, in_planes, planes, stride=1, is_last=False): super(Bottleneck, self).__init__() self.is_last = is_last self.conv1 = nn.Conv2d(in_planes, planes, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = nn.Conv2d(planes, planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(planes) self.conv3 = nn.Conv2d(planes, self.expansion * planes, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(self.expansion * planes) self.shortcut = nn.Sequential() if stride != 1 or in_planes != self.expansion * planes: self.shortcut = nn.Sequential( nn.Conv2d(in_planes, self.expansion * planes, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(self.expansion * planes) ) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = F.relu(self.bn2(self.conv2(out))) out = self.bn3(self.conv3(out)) out += self.shortcut(x) preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class ResNet(nn.Module): def __init__(self, block, num_blocks, num_classes=10, zero_init_residual=False): super(ResNet, self).__init__() self.in_planes = 64 self.conv1 = nn.Conv2d(3, 64, kernel_size=3, stride=1, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(64) self.layer1 = self._make_layer(block, 64, num_blocks[0], stride=1) self.layer2 = self._make_layer(block, 128, num_blocks[1], stride=2) self.layer3 = self._make_layer(block, 256, num_blocks[2], stride=2) self.layer4 = self._make_layer(block, 512, num_blocks[3], stride=2) self.avgpool = nn.AdaptiveAvgPool2d((1, 1)) self.linear = nn.Linear(512 * block.expansion, num_classes) for m in self.modules(): if isinstance(m, nn.Conv2d): nn.init.kaiming_normal_(m.weight, mode='fan_out', nonlinearity='relu') elif isinstance(m, (nn.BatchNorm2d, nn.GroupNorm)): nn.init.constant_(m.weight, 1) nn.init.constant_(m.bias, 0) # Zero-initialize the last BN in each residual branch, # so that the residual branch starts with zeros, and each residual block behaves like an identity. # This improves the model by 0.2~0.3% according to https://arxiv.org/abs/1706.02677 if zero_init_residual: for m in self.modules(): if isinstance(m, Bottleneck): nn.init.constant_(m.bn3.weight, 0) elif isinstance(m, BasicBlock): nn.init.constant_(m.bn2.weight, 0) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) feat_m.append(self.layer4) return feat_m def get_bn_before_relu(self): if isinstance(self.layer1[0], Bottleneck): bn1 = self.layer1[-1].bn3 bn2 = self.layer2[-1].bn3 bn3 = self.layer3[-1].bn3 bn4 = self.layer4[-1].bn3 elif isinstance(self.layer1[0], BasicBlock): bn1 = self.layer1[-1].bn2 bn2 = self.layer2[-1].bn2 bn3 = self.layer3[-1].bn2 bn4 = self.layer4[-1].bn2 else: raise NotImplementedError('ResNet unknown block error !!!') return [bn1, bn2, bn3, bn4] def _make_layer(self, block, planes, num_blocks, stride): strides = [stride] + [1] * (num_blocks - 1) layers = [] for i in range(num_blocks): stride = strides[i] layers.append(block(self.in_planes, planes, stride, i == num_blocks - 1)) self.in_planes = planes * block.expansion return nn.Sequential(*layers) def forward(self, x, is_feat=False, preact=False): out = F.relu(self.bn1(self.conv1(x))) f0 = out out, f1_pre = self.layer1(out) f1 = out out, f2_pre = self.layer2(out) f2 = out out, f3_pre = self.layer3(out) f3 = out out, f4_pre = self.layer4(out) f4 = out out = self.avgpool(out) out = out.view(out.size(0), -1) f5 = out out = self.linear(out) if is_feat: if preact: return [[f0, f1_pre, f2_pre, f3_pre, f4_pre, f5], out] else: return [f0, f1, f2, f3, f4, f5], out else: return out def ResNet18(**kwargs): return ResNet(BasicBlock, [2, 2, 2, 2], **kwargs) def ResNet34(**kwargs): return ResNet(BasicBlock, [3, 4, 6, 3], **kwargs) def ResNet50(**kwargs): return ResNet(Bottleneck, [3, 4, 6, 3], **kwargs) def ResNet101(**kwargs): return ResNet(Bottleneck, [3, 4, 23, 3], **kwargs) def ResNet152(**kwargs): return ResNet(Bottleneck, [3, 8, 36, 3], **kwargs) if __name__ == '__main__': net = ResNet18(num_classes=100) x = torch.randn(2, 3, 32, 32) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
6,915
33.753769
106
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/cDR_MLP.py
''' Conditional Density Ration Estimation via Multilayer Perceptron Multilayer Perceptron : trained to model density ratio in a feature space Its input is the output of a pretrained Deep CNN, say ResNet-34 ''' import torch import torch.nn as nn IMG_SIZE=32 NC=3 N_CLASS = 100 cfg = {"MLP3": [512,256,128], "MLP5": [2048,1024,512,256,128], "MLP7": [2048,2048,1024,1024,512,256,128], "MLP9": [2048,2048,1024,1024,512,512,256,256,128],} class cDR_MLP(nn.Module): def __init__(self, MLP_name, p_dropout=0.5, init_in_dim = IMG_SIZE**2*NC, num_classes = N_CLASS): super(cDR_MLP, self).__init__() self.init_in_dim = init_in_dim self.p_dropout=p_dropout self.num_classes = num_classes self.label_emb = nn.Embedding(num_classes, num_classes) layers = self._make_layers(cfg[MLP_name]) layers += [nn.Linear(cfg[MLP_name][-1], 1)] layers += [nn.ReLU()] self.main = nn.Sequential(*layers) def _make_layers(self, cfg): layers = [] in_dim = self.init_in_dim #initial input dimension for x in cfg: if in_dim == self.init_in_dim: layers += [nn.Linear(in_dim+self.num_classes, x), nn.GroupNorm(8, x), nn.ReLU(inplace=True), nn.Dropout(self.p_dropout) # do we really need dropout? ] else: layers += [nn.Linear(in_dim, x), nn.GroupNorm(8, x), nn.ReLU(inplace=True), nn.Dropout(self.p_dropout) # do we really need dropout? ] in_dim = x return layers def forward(self, x, labels): x = torch.cat((self.label_emb(labels), x), -1) out = self.main(x) return out if __name__ == "__main__": net = cDR_MLP('MLP5').cuda() x = torch.randn((5,IMG_SIZE**2*NC)).cuda() labels = torch.LongTensor(5).random_(0, N_CLASS).cuda() out = net(x, labels) print(out.size()) def get_parameter_number(net): total_num = sum(p.numel() for p in net.parameters()) trainable_num = sum(p.numel() for p in net.parameters() if p.requires_grad) return {'Total': total_num, 'Trainable': trainable_num} print(get_parameter_number(net))
2,392
30.906667
101
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/InceptionV3.py
''' Inception v3 ''' import torch import torch.nn as nn import torch.nn.functional as F import torch.utils.model_zoo as model_zoo __all__ = ['Inception3', 'inception_v3'] model_urls = { # Inception v3 ported from TensorFlow 'inception_v3_google': 'https://download.pytorch.org/models/inception_v3_google-1a9a5a14.pth', } def inception_v3(pretrained=False, **kwargs): r"""Inception v3 model architecture from `"Rethinking the Inception Architecture for Computer Vision" <http://arxiv.org/abs/1512.00567>`_. .. note:: **Important**: In contrast to the other models the inception_v3 expects tensors with a size of N x 3 x 299 x 299, so ensure your images are sized accordingly. Args: pretrained (bool): If True, returns a model pre-trained on ImageNet transform_input (bool): If True, preprocesses the input according to the method with which it was trained on ImageNet. Default: *False* """ if pretrained: if 'transform_input' not in kwargs: kwargs['transform_input'] = True model = Inception3(**kwargs) model.load_state_dict(model_zoo.load_url(model_urls['inception_v3_google'])) return model return Inception3(**kwargs) class Inception3(nn.Module): def __init__(self, num_classes=1000, aux_logits=True, transform_input=False): super(Inception3, self).__init__() self.aux_logits = aux_logits self.transform_input = transform_input self.Conv2d_1a_3x3 = BasicConv2d(3, 32, kernel_size=3, stride=2) self.Conv2d_2a_3x3 = BasicConv2d(32, 32, kernel_size=3) self.Conv2d_2b_3x3 = BasicConv2d(32, 64, kernel_size=3, padding=1) self.Conv2d_3b_1x1 = BasicConv2d(64, 80, kernel_size=1) self.Conv2d_4a_3x3 = BasicConv2d(80, 192, kernel_size=3) self.Mixed_5b = InceptionA(192, pool_features=32) self.Mixed_5c = InceptionA(256, pool_features=64) self.Mixed_5d = InceptionA(288, pool_features=64) self.Mixed_6a = InceptionB(288) self.Mixed_6b = InceptionC(768, channels_7x7=128) self.Mixed_6c = InceptionC(768, channels_7x7=160) self.Mixed_6d = InceptionC(768, channels_7x7=160) self.Mixed_6e = InceptionC(768, channels_7x7=192) if aux_logits: self.AuxLogits = InceptionAux(768, num_classes) self.Mixed_7a = InceptionD(768) self.Mixed_7b = InceptionE(1280) self.Mixed_7c = InceptionE(2048) self.fc = nn.Linear(2048, num_classes) for m in self.modules(): if isinstance(m, nn.Conv2d) or isinstance(m, nn.Linear): import scipy.stats as stats stddev = m.stddev if hasattr(m, 'stddev') else 0.1 X = stats.truncnorm(-2, 2, scale=stddev) values = torch.Tensor(X.rvs(m.weight.numel())) values = values.view(m.weight.size()) m.weight.data.copy_(values) elif isinstance(m, nn.BatchNorm2d): nn.init.constant_(m.weight, 1) nn.init.constant_(m.bias, 0) def forward(self, x): if self.transform_input: x_ch0 = torch.unsqueeze(x[:, 0], 1) * (0.229 / 0.5) + (0.485 - 0.5) / 0.5 x_ch1 = torch.unsqueeze(x[:, 1], 1) * (0.224 / 0.5) + (0.456 - 0.5) / 0.5 x_ch2 = torch.unsqueeze(x[:, 2], 1) * (0.225 / 0.5) + (0.406 - 0.5) / 0.5 x = torch.cat((x_ch0, x_ch1, x_ch2), 1) # N x 3 x 299 x 299 x = self.Conv2d_1a_3x3(x) # N x 32 x 149 x 149 x = self.Conv2d_2a_3x3(x) # N x 32 x 147 x 147 x = self.Conv2d_2b_3x3(x) # N x 64 x 147 x 147 x = F.max_pool2d(x, kernel_size=3, stride=2) # N x 64 x 73 x 73 x = self.Conv2d_3b_1x1(x) # N x 80 x 73 x 73 x = self.Conv2d_4a_3x3(x) # N x 192 x 71 x 71 x = F.max_pool2d(x, kernel_size=3, stride=2) # N x 192 x 35 x 35 x = self.Mixed_5b(x) # N x 256 x 35 x 35 x = self.Mixed_5c(x) # N x 288 x 35 x 35 x = self.Mixed_5d(x) # N x 288 x 35 x 35 x = self.Mixed_6a(x) # N x 768 x 17 x 17 x = self.Mixed_6b(x) # N x 768 x 17 x 17 x = self.Mixed_6c(x) # N x 768 x 17 x 17 x = self.Mixed_6d(x) # N x 768 x 17 x 17 x = self.Mixed_6e(x) # N x 768 x 17 x 17 # if self.training and self.aux_logits: # aux = self.AuxLogits(x) # N x 768 x 17 x 17 x = self.Mixed_7a(x) # N x 1280 x 8 x 8 x = self.Mixed_7b(x) # N x 2048 x 8 x 8 x = self.Mixed_7c(x) # N x 2048 x 8 x 8 # Adaptive average pooling x = F.adaptive_avg_pool2d(x, (1, 1)) features = x.view(x.size(0), -1) # N x 2048 x 1 x 1 x = F.dropout(x, training=self.training) # N x 2048 x 1 x 1 x = x.view(x.size(0), -1) # N x 2048 x = self.fc(x) # N x 1000 (num_classes) # if self.training and self.aux_logits: # return x, features, aux return x, features class InceptionA(nn.Module): def __init__(self, in_channels, pool_features): super(InceptionA, self).__init__() self.branch1x1 = BasicConv2d(in_channels, 64, kernel_size=1) self.branch5x5_1 = BasicConv2d(in_channels, 48, kernel_size=1) self.branch5x5_2 = BasicConv2d(48, 64, kernel_size=5, padding=2) self.branch3x3dbl_1 = BasicConv2d(in_channels, 64, kernel_size=1) self.branch3x3dbl_2 = BasicConv2d(64, 96, kernel_size=3, padding=1) self.branch3x3dbl_3 = BasicConv2d(96, 96, kernel_size=3, padding=1) self.branch_pool = BasicConv2d(in_channels, pool_features, kernel_size=1) def forward(self, x): branch1x1 = self.branch1x1(x) branch5x5 = self.branch5x5_1(x) branch5x5 = self.branch5x5_2(branch5x5) branch3x3dbl = self.branch3x3dbl_1(x) branch3x3dbl = self.branch3x3dbl_2(branch3x3dbl) branch3x3dbl = self.branch3x3dbl_3(branch3x3dbl) branch_pool = F.avg_pool2d(x, kernel_size=3, stride=1, padding=1) branch_pool = self.branch_pool(branch_pool) outputs = [branch1x1, branch5x5, branch3x3dbl, branch_pool] return torch.cat(outputs, 1) class InceptionB(nn.Module): def __init__(self, in_channels): super(InceptionB, self).__init__() self.branch3x3 = BasicConv2d(in_channels, 384, kernel_size=3, stride=2) self.branch3x3dbl_1 = BasicConv2d(in_channels, 64, kernel_size=1) self.branch3x3dbl_2 = BasicConv2d(64, 96, kernel_size=3, padding=1) self.branch3x3dbl_3 = BasicConv2d(96, 96, kernel_size=3, stride=2) def forward(self, x): branch3x3 = self.branch3x3(x) branch3x3dbl = self.branch3x3dbl_1(x) branch3x3dbl = self.branch3x3dbl_2(branch3x3dbl) branch3x3dbl = self.branch3x3dbl_3(branch3x3dbl) branch_pool = F.max_pool2d(x, kernel_size=3, stride=2) outputs = [branch3x3, branch3x3dbl, branch_pool] return torch.cat(outputs, 1) class InceptionC(nn.Module): def __init__(self, in_channels, channels_7x7): super(InceptionC, self).__init__() self.branch1x1 = BasicConv2d(in_channels, 192, kernel_size=1) c7 = channels_7x7 self.branch7x7_1 = BasicConv2d(in_channels, c7, kernel_size=1) self.branch7x7_2 = BasicConv2d(c7, c7, kernel_size=(1, 7), padding=(0, 3)) self.branch7x7_3 = BasicConv2d(c7, 192, kernel_size=(7, 1), padding=(3, 0)) self.branch7x7dbl_1 = BasicConv2d(in_channels, c7, kernel_size=1) self.branch7x7dbl_2 = BasicConv2d(c7, c7, kernel_size=(7, 1), padding=(3, 0)) self.branch7x7dbl_3 = BasicConv2d(c7, c7, kernel_size=(1, 7), padding=(0, 3)) self.branch7x7dbl_4 = BasicConv2d(c7, c7, kernel_size=(7, 1), padding=(3, 0)) self.branch7x7dbl_5 = BasicConv2d(c7, 192, kernel_size=(1, 7), padding=(0, 3)) self.branch_pool = BasicConv2d(in_channels, 192, kernel_size=1) def forward(self, x): branch1x1 = self.branch1x1(x) branch7x7 = self.branch7x7_1(x) branch7x7 = self.branch7x7_2(branch7x7) branch7x7 = self.branch7x7_3(branch7x7) branch7x7dbl = self.branch7x7dbl_1(x) branch7x7dbl = self.branch7x7dbl_2(branch7x7dbl) branch7x7dbl = self.branch7x7dbl_3(branch7x7dbl) branch7x7dbl = self.branch7x7dbl_4(branch7x7dbl) branch7x7dbl = self.branch7x7dbl_5(branch7x7dbl) branch_pool = F.avg_pool2d(x, kernel_size=3, stride=1, padding=1) branch_pool = self.branch_pool(branch_pool) outputs = [branch1x1, branch7x7, branch7x7dbl, branch_pool] return torch.cat(outputs, 1) class InceptionD(nn.Module): def __init__(self, in_channels): super(InceptionD, self).__init__() self.branch3x3_1 = BasicConv2d(in_channels, 192, kernel_size=1) self.branch3x3_2 = BasicConv2d(192, 320, kernel_size=3, stride=2) self.branch7x7x3_1 = BasicConv2d(in_channels, 192, kernel_size=1) self.branch7x7x3_2 = BasicConv2d(192, 192, kernel_size=(1, 7), padding=(0, 3)) self.branch7x7x3_3 = BasicConv2d(192, 192, kernel_size=(7, 1), padding=(3, 0)) self.branch7x7x3_4 = BasicConv2d(192, 192, kernel_size=3, stride=2) def forward(self, x): branch3x3 = self.branch3x3_1(x) branch3x3 = self.branch3x3_2(branch3x3) branch7x7x3 = self.branch7x7x3_1(x) branch7x7x3 = self.branch7x7x3_2(branch7x7x3) branch7x7x3 = self.branch7x7x3_3(branch7x7x3) branch7x7x3 = self.branch7x7x3_4(branch7x7x3) branch_pool = F.max_pool2d(x, kernel_size=3, stride=2) outputs = [branch3x3, branch7x7x3, branch_pool] return torch.cat(outputs, 1) class InceptionE(nn.Module): def __init__(self, in_channels): super(InceptionE, self).__init__() self.branch1x1 = BasicConv2d(in_channels, 320, kernel_size=1) self.branch3x3_1 = BasicConv2d(in_channels, 384, kernel_size=1) self.branch3x3_2a = BasicConv2d(384, 384, kernel_size=(1, 3), padding=(0, 1)) self.branch3x3_2b = BasicConv2d(384, 384, kernel_size=(3, 1), padding=(1, 0)) self.branch3x3dbl_1 = BasicConv2d(in_channels, 448, kernel_size=1) self.branch3x3dbl_2 = BasicConv2d(448, 384, kernel_size=3, padding=1) self.branch3x3dbl_3a = BasicConv2d(384, 384, kernel_size=(1, 3), padding=(0, 1)) self.branch3x3dbl_3b = BasicConv2d(384, 384, kernel_size=(3, 1), padding=(1, 0)) self.branch_pool = BasicConv2d(in_channels, 192, kernel_size=1) def forward(self, x): branch1x1 = self.branch1x1(x) branch3x3 = self.branch3x3_1(x) branch3x3 = [ self.branch3x3_2a(branch3x3), self.branch3x3_2b(branch3x3), ] branch3x3 = torch.cat(branch3x3, 1) branch3x3dbl = self.branch3x3dbl_1(x) branch3x3dbl = self.branch3x3dbl_2(branch3x3dbl) branch3x3dbl = [ self.branch3x3dbl_3a(branch3x3dbl), self.branch3x3dbl_3b(branch3x3dbl), ] branch3x3dbl = torch.cat(branch3x3dbl, 1) branch_pool = F.avg_pool2d(x, kernel_size=3, stride=1, padding=1) branch_pool = self.branch_pool(branch_pool) outputs = [branch1x1, branch3x3, branch3x3dbl, branch_pool] return torch.cat(outputs, 1) class InceptionAux(nn.Module): def __init__(self, in_channels, num_classes): super(InceptionAux, self).__init__() self.conv0 = BasicConv2d(in_channels, 128, kernel_size=1) self.conv1 = BasicConv2d(128, 768, kernel_size=5) self.conv1.stddev = 0.01 self.fc = nn.Linear(768, num_classes) self.fc.stddev = 0.001 def forward(self, x): # N x 768 x 17 x 17 x = F.avg_pool2d(x, kernel_size=5, stride=3) # N x 768 x 5 x 5 x = self.conv0(x) # N x 128 x 5 x 5 x = self.conv1(x) # N x 768 x 1 x 1 # Adaptive average pooling x = F.adaptive_avg_pool2d(x, (1, 1)) # N x 768 x 1 x 1 x = x.view(x.size(0), -1) # N x 768 x = self.fc(x) # N x 1000 return x class BasicConv2d(nn.Module): def __init__(self, in_channels, out_channels, **kwargs): super(BasicConv2d, self).__init__() self.conv = nn.Conv2d(in_channels, out_channels, bias=False, **kwargs) self.bn = nn.BatchNorm2d(out_channels, eps=0.001) def forward(self, x): x = self.conv(x) x = self.bn(x) return F.relu(x, inplace=True)
12,702
36.252199
102
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/ShuffleNetv1.py
'''ShuffleNet in PyTorch. See the paper "ShuffleNet: An Extremely Efficient Convolutional Neural Network for Mobile Devices" for more details. ''' import torch import torch.nn as nn import torch.nn.functional as F class ShuffleBlock(nn.Module): def __init__(self, groups): super(ShuffleBlock, self).__init__() self.groups = groups def forward(self, x): '''Channel shuffle: [N,C,H,W] -> [N,g,C/g,H,W] -> [N,C/g,g,H,w] -> [N,C,H,W]''' N,C,H,W = x.size() g = self.groups return x.view(N,g,C//g,H,W).permute(0,2,1,3,4).reshape(N,C,H,W) class Bottleneck(nn.Module): def __init__(self, in_planes, out_planes, stride, groups, is_last=False): super(Bottleneck, self).__init__() self.is_last = is_last self.stride = stride mid_planes = int(out_planes/4) g = 1 if in_planes == 24 else groups self.conv1 = nn.Conv2d(in_planes, mid_planes, kernel_size=1, groups=g, bias=False) self.bn1 = nn.BatchNorm2d(mid_planes) self.shuffle1 = ShuffleBlock(groups=g) self.conv2 = nn.Conv2d(mid_planes, mid_planes, kernel_size=3, stride=stride, padding=1, groups=mid_planes, bias=False) self.bn2 = nn.BatchNorm2d(mid_planes) self.conv3 = nn.Conv2d(mid_planes, out_planes, kernel_size=1, groups=groups, bias=False) self.bn3 = nn.BatchNorm2d(out_planes) self.shortcut = nn.Sequential() if stride == 2: self.shortcut = nn.Sequential(nn.AvgPool2d(3, stride=2, padding=1)) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = self.shuffle1(out) out = F.relu(self.bn2(self.conv2(out))) out = self.bn3(self.conv3(out)) res = self.shortcut(x) preact = torch.cat([out, res], 1) if self.stride == 2 else out+res out = F.relu(preact) # out = F.relu(torch.cat([out, res], 1)) if self.stride == 2 else F.relu(out+res) if self.is_last: return out, preact else: return out class ShuffleNet(nn.Module): def __init__(self, cfg, num_classes=10): super(ShuffleNet, self).__init__() out_planes = cfg['out_planes'] num_blocks = cfg['num_blocks'] groups = cfg['groups'] self.conv1 = nn.Conv2d(3, 24, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(24) self.in_planes = 24 self.layer1 = self._make_layer(out_planes[0], num_blocks[0], groups) self.layer2 = self._make_layer(out_planes[1], num_blocks[1], groups) self.layer3 = self._make_layer(out_planes[2], num_blocks[2], groups) self.linear = nn.Linear(out_planes[2], num_classes) def _make_layer(self, out_planes, num_blocks, groups): layers = [] for i in range(num_blocks): stride = 2 if i == 0 else 1 cat_planes = self.in_planes if i == 0 else 0 layers.append(Bottleneck(self.in_planes, out_planes-cat_planes, stride=stride, groups=groups, is_last=(i == num_blocks - 1))) self.in_planes = out_planes return nn.Sequential(*layers) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) return feat_m def get_bn_before_relu(self): raise NotImplementedError('ShuffleNet currently is not supported for "Overhaul" teacher') def forward(self, x, is_feat=False, preact=False): out = F.relu(self.bn1(self.conv1(x))) f0 = out out, f1_pre = self.layer1(out) f1 = out out, f2_pre = self.layer2(out) f2 = out out, f3_pre = self.layer3(out) f3 = out out = F.avg_pool2d(out, 4) out = out.view(out.size(0), -1) f4 = out out = self.linear(out) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4], out else: return [f0, f1, f2, f3, f4], out else: return out def ShuffleV1(**kwargs): cfg = { 'out_planes': [240, 480, 960], 'num_blocks': [4, 8, 4], 'groups': 3 } return ShuffleNet(cfg, **kwargs) if __name__ == '__main__': x = torch.randn(2, 3, 32, 32) net = ShuffleV1(num_classes=100) import time a = time.time() feats, logit = net(x, is_feat=True, preact=True) b = time.time() print(b - a) for f in feats: print(f.shape, f.min().item()) print(logit.shape)
4,732
33.05036
126
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/ShuffleNetv2.py
'''ShuffleNetV2 in PyTorch. See the paper "ShuffleNet V2: Practical Guidelines for Efficient CNN Architecture Design" for more details. ''' import torch import torch.nn as nn import torch.nn.functional as F class ShuffleBlock(nn.Module): def __init__(self, groups=2): super(ShuffleBlock, self).__init__() self.groups = groups def forward(self, x): '''Channel shuffle: [N,C,H,W] -> [N,g,C/g,H,W] -> [N,C/g,g,H,w] -> [N,C,H,W]''' N, C, H, W = x.size() g = self.groups return x.view(N, g, C//g, H, W).permute(0, 2, 1, 3, 4).reshape(N, C, H, W) class SplitBlock(nn.Module): def __init__(self, ratio): super(SplitBlock, self).__init__() self.ratio = ratio def forward(self, x): c = int(x.size(1) * self.ratio) return x[:, :c, :, :], x[:, c:, :, :] class BasicBlock(nn.Module): def __init__(self, in_channels, split_ratio=0.5, is_last=False): super(BasicBlock, self).__init__() self.is_last = is_last self.split = SplitBlock(split_ratio) in_channels = int(in_channels * split_ratio) self.conv1 = nn.Conv2d(in_channels, in_channels, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(in_channels) self.conv2 = nn.Conv2d(in_channels, in_channels, kernel_size=3, stride=1, padding=1, groups=in_channels, bias=False) self.bn2 = nn.BatchNorm2d(in_channels) self.conv3 = nn.Conv2d(in_channels, in_channels, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(in_channels) self.shuffle = ShuffleBlock() def forward(self, x): x1, x2 = self.split(x) out = F.relu(self.bn1(self.conv1(x2))) out = self.bn2(self.conv2(out)) preact = self.bn3(self.conv3(out)) out = F.relu(preact) # out = F.relu(self.bn3(self.conv3(out))) preact = torch.cat([x1, preact], 1) out = torch.cat([x1, out], 1) out = self.shuffle(out) if self.is_last: return out, preact else: return out class DownBlock(nn.Module): def __init__(self, in_channels, out_channels): super(DownBlock, self).__init__() mid_channels = out_channels // 2 # left self.conv1 = nn.Conv2d(in_channels, in_channels, kernel_size=3, stride=2, padding=1, groups=in_channels, bias=False) self.bn1 = nn.BatchNorm2d(in_channels) self.conv2 = nn.Conv2d(in_channels, mid_channels, kernel_size=1, bias=False) self.bn2 = nn.BatchNorm2d(mid_channels) # right self.conv3 = nn.Conv2d(in_channels, mid_channels, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(mid_channels) self.conv4 = nn.Conv2d(mid_channels, mid_channels, kernel_size=3, stride=2, padding=1, groups=mid_channels, bias=False) self.bn4 = nn.BatchNorm2d(mid_channels) self.conv5 = nn.Conv2d(mid_channels, mid_channels, kernel_size=1, bias=False) self.bn5 = nn.BatchNorm2d(mid_channels) self.shuffle = ShuffleBlock() def forward(self, x): # left out1 = self.bn1(self.conv1(x)) out1 = F.relu(self.bn2(self.conv2(out1))) # right out2 = F.relu(self.bn3(self.conv3(x))) out2 = self.bn4(self.conv4(out2)) out2 = F.relu(self.bn5(self.conv5(out2))) # concat out = torch.cat([out1, out2], 1) out = self.shuffle(out) return out class ShuffleNetV2(nn.Module): def __init__(self, net_size, num_classes=10): super(ShuffleNetV2, self).__init__() out_channels = configs[net_size]['out_channels'] num_blocks = configs[net_size]['num_blocks'] # self.conv1 = nn.Conv2d(3, 24, kernel_size=3, # stride=1, padding=1, bias=False) self.conv1 = nn.Conv2d(3, 24, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(24) self.in_channels = 24 self.layer1 = self._make_layer(out_channels[0], num_blocks[0]) self.layer2 = self._make_layer(out_channels[1], num_blocks[1]) self.layer3 = self._make_layer(out_channels[2], num_blocks[2]) self.conv2 = nn.Conv2d(out_channels[2], out_channels[3], kernel_size=1, stride=1, padding=0, bias=False) self.bn2 = nn.BatchNorm2d(out_channels[3]) self.linear = nn.Linear(out_channels[3], num_classes) def _make_layer(self, out_channels, num_blocks): layers = [DownBlock(self.in_channels, out_channels)] for i in range(num_blocks): layers.append(BasicBlock(out_channels, is_last=(i == num_blocks - 1))) self.in_channels = out_channels return nn.Sequential(*layers) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) return feat_m def get_bn_before_relu(self): raise NotImplementedError('ShuffleNetV2 currently is not supported for "Overhaul" teacher') def forward(self, x, is_feat=False, preact=False): out = F.relu(self.bn1(self.conv1(x))) # out = F.max_pool2d(out, 3, stride=2, padding=1) f0 = out out, f1_pre = self.layer1(out) f1 = out out, f2_pre = self.layer2(out) f2 = out out, f3_pre = self.layer3(out) f3 = out out = F.relu(self.bn2(self.conv2(out))) out = F.avg_pool2d(out, 4) out = out.view(out.size(0), -1) f4 = out out = self.linear(out) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4], out else: return [f0, f1, f2, f3, f4], out else: return out configs = { 0.2: { 'out_channels': (40, 80, 160, 512), 'num_blocks': (3, 3, 3) }, 0.3: { 'out_channels': (40, 80, 160, 512), 'num_blocks': (3, 7, 3) }, 0.5: { 'out_channels': (48, 96, 192, 1024), 'num_blocks': (3, 7, 3) }, 1: { 'out_channels': (116, 232, 464, 1024), 'num_blocks': (3, 7, 3) }, 1.5: { 'out_channels': (176, 352, 704, 1024), 'num_blocks': (3, 7, 3) }, 2: { 'out_channels': (224, 488, 976, 2048), 'num_blocks': (3, 7, 3) } } def ShuffleV2(**kwargs): model = ShuffleNetV2(net_size=1, **kwargs) return model if __name__ == '__main__': net = ShuffleV2(num_classes=100) x = torch.randn(3, 3, 32, 32) import time a = time.time() feats, logit = net(x, is_feat=True, preact=True) b = time.time() print(b - a) for f in feats: print(f.shape, f.min().item()) print(logit.shape)
7,074
32.530806
107
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/DR_MLP.py
''' Density Ration Estimation via Multilayer Perceptron Multilayer Perceptron : trained to model density ratio in a feature space Its input is the output of a pretrained Deep CNN, say ResNet-34 ''' import torch import torch.nn as nn IMG_SIZE=32 NC=3 cfg = {"MLP3": [2048,1024,512], "MLP5": [2048,1024,512,256,128], "MLP7": [2048,2048,1024,1024,512,256,128], "MLP9": [2048,2048,1024,1024,512,512,256,256,128],} class DR_MLP(nn.Module): def __init__(self, MLP_name, p_dropout=0.5, init_in_dim = IMG_SIZE**2*NC): super(DR_MLP, self).__init__() self.init_in_dim = init_in_dim self.p_dropout=p_dropout layers = self._make_layers(cfg[MLP_name]) layers += [nn.Linear(cfg[MLP_name][-1], 1)] layers += [nn.ReLU()] self.main = nn.Sequential(*layers) def _make_layers(self, cfg): layers = [] in_dim = self.init_in_dim #initial input dimension for x in cfg: layers += [nn.Linear(in_dim, x), nn.GroupNorm(8, x), nn.ReLU(inplace=True), nn.Dropout(self.p_dropout) # do we really need dropout? ] in_dim = x return layers def forward(self, x): out = self.main(x) return out if __name__ == "__main__": net = DR_MLP('MLP5').cuda() x = torch.randn((5,IMG_SIZE**2*NC)).cuda() out = net(x) print(out.size()) def get_parameter_number(net): total_num = sum(p.numel() for p in net.parameters()) trainable_num = sum(p.numel() for p in net.parameters() if p.requires_grad) return {'Total': total_num, 'Trainable': trainable_num} print(get_parameter_number(net))
1,752
26.825397
83
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/wrn.py
import math import torch import torch.nn as nn import torch.nn.functional as F """ Original Author: Wei Yang """ __all__ = ['wrn'] class BasicBlock(nn.Module): def __init__(self, in_planes, out_planes, stride, dropRate=0.0): super(BasicBlock, self).__init__() self.bn1 = nn.BatchNorm2d(in_planes) self.relu1 = nn.ReLU(inplace=True) self.conv1 = nn.Conv2d(in_planes, out_planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(out_planes) self.relu2 = nn.ReLU(inplace=True) self.conv2 = nn.Conv2d(out_planes, out_planes, kernel_size=3, stride=1, padding=1, bias=False) self.droprate = dropRate self.equalInOut = (in_planes == out_planes) self.convShortcut = (not self.equalInOut) and nn.Conv2d(in_planes, out_planes, kernel_size=1, stride=stride, padding=0, bias=False) or None def forward(self, x): if not self.equalInOut: x = self.relu1(self.bn1(x)) else: out = self.relu1(self.bn1(x)) out = self.relu2(self.bn2(self.conv1(out if self.equalInOut else x))) if self.droprate > 0: out = F.dropout(out, p=self.droprate, training=self.training) out = self.conv2(out) return torch.add(x if self.equalInOut else self.convShortcut(x), out) class NetworkBlock(nn.Module): def __init__(self, nb_layers, in_planes, out_planes, block, stride, dropRate=0.0): super(NetworkBlock, self).__init__() self.layer = self._make_layer(block, in_planes, out_planes, nb_layers, stride, dropRate) def _make_layer(self, block, in_planes, out_planes, nb_layers, stride, dropRate): layers = [] for i in range(nb_layers): layers.append(block(i == 0 and in_planes or out_planes, out_planes, i == 0 and stride or 1, dropRate)) return nn.Sequential(*layers) def forward(self, x): return self.layer(x) class WideResNet(nn.Module): def __init__(self, depth, num_classes, widen_factor=1, dropRate=0.0): super(WideResNet, self).__init__() nChannels = [16, 16*widen_factor, 32*widen_factor, 64*widen_factor] assert (depth - 4) % 6 == 0, 'depth should be 6n+4' n = (depth - 4) // 6 block = BasicBlock # 1st conv before any network block self.conv1 = nn.Conv2d(3, nChannels[0], kernel_size=3, stride=1, padding=1, bias=False) # 1st block self.block1 = NetworkBlock(n, nChannels[0], nChannels[1], block, 1, dropRate) # 2nd block self.block2 = NetworkBlock(n, nChannels[1], nChannels[2], block, 2, dropRate) # 3rd block self.block3 = NetworkBlock(n, nChannels[2], nChannels[3], block, 2, dropRate) # global average pooling and classifier self.bn1 = nn.BatchNorm2d(nChannels[3]) self.relu = nn.ReLU(inplace=True) self.fc = nn.Linear(nChannels[3], num_classes) self.nChannels = nChannels[3] for m in self.modules(): if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() elif isinstance(m, nn.Linear): m.bias.data.zero_() def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.block1) feat_m.append(self.block2) feat_m.append(self.block3) return feat_m def get_bn_before_relu(self): bn1 = self.block2.layer[0].bn1 bn2 = self.block3.layer[0].bn1 bn3 = self.bn1 return [bn1, bn2, bn3] def forward(self, x, is_feat=False, preact=False): out = self.conv1(x) f0 = out out = self.block1(out) f1 = out out = self.block2(out) f2 = out out = self.block3(out) f3 = out out = self.relu(self.bn1(out)) out = F.avg_pool2d(out, 8) out = out.view(-1, self.nChannels) f4 = out out = self.fc(out) if is_feat: if preact: f1 = self.block2.layer[0].bn1(f1) f2 = self.block3.layer[0].bn1(f2) f3 = self.bn1(f3) return [f0, f1, f2, f3, f4], out else: return out def wrn(**kwargs): """ Constructs a Wide Residual Networks. """ model = WideResNet(**kwargs) return model def wrn_40_2(**kwargs): model = WideResNet(depth=40, widen_factor=2, **kwargs) return model def wrn_40_1(**kwargs): model = WideResNet(depth=40, widen_factor=1, **kwargs) return model def wrn_16_2(**kwargs): model = WideResNet(depth=16, widen_factor=2, **kwargs) return model def wrn_16_1(**kwargs): model = WideResNet(depth=16, widen_factor=1, **kwargs) return model if __name__ == '__main__': import torch x = torch.randn(2, 3, 32, 32) net = wrn_40_2(num_classes=100) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
5,519
31.280702
116
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/sync_batchnorm/replicate.py
# -*- coding: utf-8 -*- # File : replicate.py # Author : Jiayuan Mao # Email : maojiayuan@gmail.com # Date : 27/01/2018 # # This file is part of Synchronized-BatchNorm-PyTorch. # https://github.com/vacancy/Synchronized-BatchNorm-PyTorch # Distributed under MIT License. import functools from torch.nn.parallel.data_parallel import DataParallel __all__ = [ 'CallbackContext', 'execute_replication_callbacks', 'DataParallelWithCallback', 'patch_replication_callback' ] class CallbackContext(object): pass def execute_replication_callbacks(modules): """ Execute an replication callback `__data_parallel_replicate__` on each module created by original replication. The callback will be invoked with arguments `__data_parallel_replicate__(ctx, copy_id)` Note that, as all modules are isomorphism, we assign each sub-module with a context (shared among multiple copies of this module on different devices). Through this context, different copies can share some information. We guarantee that the callback on the master copy (the first copy) will be called ahead of calling the callback of any slave copies. """ master_copy = modules[0] nr_modules = len(list(master_copy.modules())) ctxs = [CallbackContext() for _ in range(nr_modules)] for i, module in enumerate(modules): for j, m in enumerate(module.modules()): if hasattr(m, '__data_parallel_replicate__'): m.__data_parallel_replicate__(ctxs[j], i) class DataParallelWithCallback(DataParallel): """ Data Parallel with a replication callback. An replication callback `__data_parallel_replicate__` of each module will be invoked after being created by original `replicate` function. The callback will be invoked with arguments `__data_parallel_replicate__(ctx, copy_id)` Examples: > sync_bn = SynchronizedBatchNorm1d(10, eps=1e-5, affine=False) > sync_bn = DataParallelWithCallback(sync_bn, device_ids=[0, 1]) # sync_bn.__data_parallel_replicate__ will be invoked. """ def replicate(self, module, device_ids): modules = super(DataParallelWithCallback, self).replicate(module, device_ids) execute_replication_callbacks(modules) return modules def patch_replication_callback(data_parallel): """ Monkey-patch an existing `DataParallel` object. Add the replication callback. Useful when you have customized `DataParallel` implementation. Examples: > sync_bn = SynchronizedBatchNorm1d(10, eps=1e-5, affine=False) > sync_bn = DataParallel(sync_bn, device_ids=[0, 1]) > patch_replication_callback(sync_bn) # this is equivalent to > sync_bn = SynchronizedBatchNorm1d(10, eps=1e-5, affine=False) > sync_bn = DataParallelWithCallback(sync_bn, device_ids=[0, 1]) """ assert isinstance(data_parallel, DataParallel) old_replicate = data_parallel.replicate @functools.wraps(old_replicate) def new_replicate(module, device_ids): modules = old_replicate(module, device_ids) execute_replication_callbacks(modules) return modules data_parallel.replicate = new_replicate
3,226
32.968421
115
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/sync_batchnorm/unittest.py
# -*- coding: utf-8 -*- # File : unittest.py # Author : Jiayuan Mao # Email : maojiayuan@gmail.com # Date : 27/01/2018 # # This file is part of Synchronized-BatchNorm-PyTorch. # https://github.com/vacancy/Synchronized-BatchNorm-PyTorch # Distributed under MIT License. import unittest import torch class TorchTestCase(unittest.TestCase): def assertTensorClose(self, x, y): adiff = float((x - y).abs().max()) if (y == 0).all(): rdiff = 'NaN' else: rdiff = float((adiff / y).abs().max()) message = ( 'Tensor close check failed\n' 'adiff={}\n' 'rdiff={}\n' ).format(adiff, rdiff) self.assertTrue(torch.allclose(x, y), message)
746
23.9
59
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/sync_batchnorm/batchnorm.py
# -*- coding: utf-8 -*- # File : batchnorm.py # Author : Jiayuan Mao # Email : maojiayuan@gmail.com # Date : 27/01/2018 # # This file is part of Synchronized-BatchNorm-PyTorch. # https://github.com/vacancy/Synchronized-BatchNorm-PyTorch # Distributed under MIT License. import collections import torch import torch.nn.functional as F from torch.nn.modules.batchnorm import _BatchNorm from torch.nn.parallel._functions import ReduceAddCoalesced, Broadcast from .comm import SyncMaster __all__ = ['SynchronizedBatchNorm1d', 'SynchronizedBatchNorm2d', 'SynchronizedBatchNorm3d'] def _sum_ft(tensor): """sum over the first and last dimention""" return tensor.sum(dim=0).sum(dim=-1) def _unsqueeze_ft(tensor): """add new dementions at the front and the tail""" return tensor.unsqueeze(0).unsqueeze(-1) _ChildMessage = collections.namedtuple('_ChildMessage', ['sum', 'ssum', 'sum_size']) _MasterMessage = collections.namedtuple('_MasterMessage', ['sum', 'inv_std']) # _MasterMessage = collections.namedtuple('_MasterMessage', ['sum', 'ssum', 'sum_size']) class _SynchronizedBatchNorm(_BatchNorm): def __init__(self, num_features, eps=1e-5, momentum=0.1, affine=True): super(_SynchronizedBatchNorm, self).__init__(num_features, eps=eps, momentum=momentum, affine=affine) self._sync_master = SyncMaster(self._data_parallel_master) self._is_parallel = False self._parallel_id = None self._slave_pipe = None def forward(self, input, gain=None, bias=None): # If it is not parallel computation or is in evaluation mode, use PyTorch's implementation. if not (self._is_parallel and self.training): out = F.batch_norm( input, self.running_mean, self.running_var, self.weight, self.bias, self.training, self.momentum, self.eps) if gain is not None: out = out + gain if bias is not None: out = out + bias return out # Resize the input to (B, C, -1). input_shape = input.size() # print(input_shape) input = input.view(input.size(0), input.size(1), -1) # Compute the sum and square-sum. sum_size = input.size(0) * input.size(2) input_sum = _sum_ft(input) input_ssum = _sum_ft(input ** 2) # Reduce-and-broadcast the statistics. # print('it begins') if self._parallel_id == 0: mean, inv_std = self._sync_master.run_master(_ChildMessage(input_sum, input_ssum, sum_size)) else: mean, inv_std = self._slave_pipe.run_slave(_ChildMessage(input_sum, input_ssum, sum_size)) # if self._parallel_id == 0: # # print('here') # sum, ssum, num = self._sync_master.run_master(_ChildMessage(input_sum, input_ssum, sum_size)) # else: # # print('there') # sum, ssum, num = self._slave_pipe.run_slave(_ChildMessage(input_sum, input_ssum, sum_size)) # print('how2') # num = sum_size # print('Sum: %f, ssum: %f, sumsize: %f, insum: %f' %(float(sum.sum().cpu()), float(ssum.sum().cpu()), float(sum_size), float(input_sum.sum().cpu()))) # Fix the graph # sum = (sum.detach() - input_sum.detach()) + input_sum # ssum = (ssum.detach() - input_ssum.detach()) + input_ssum # mean = sum / num # var = ssum / num - mean ** 2 # # var = (ssum - mean * sum) / num # inv_std = torch.rsqrt(var + self.eps) # Compute the output. if gain is not None: # print('gaining') # scale = _unsqueeze_ft(inv_std) * gain.squeeze(-1) # shift = _unsqueeze_ft(mean) * scale - bias.squeeze(-1) # output = input * scale - shift output = (input - _unsqueeze_ft(mean)) * (_unsqueeze_ft(inv_std) * gain.squeeze(-1)) + bias.squeeze(-1) elif self.affine: # MJY:: Fuse the multiplication for speed. output = (input - _unsqueeze_ft(mean)) * _unsqueeze_ft(inv_std * self.weight) + _unsqueeze_ft(self.bias) else: output = (input - _unsqueeze_ft(mean)) * _unsqueeze_ft(inv_std) # Reshape it. return output.view(input_shape) def __data_parallel_replicate__(self, ctx, copy_id): self._is_parallel = True self._parallel_id = copy_id # parallel_id == 0 means master device. if self._parallel_id == 0: ctx.sync_master = self._sync_master else: self._slave_pipe = ctx.sync_master.register_slave(copy_id) def _data_parallel_master(self, intermediates): """Reduce the sum and square-sum, compute the statistics, and broadcast it.""" # Always using same "device order" makes the ReduceAdd operation faster. # Thanks to:: Tete Xiao (http://tetexiao.com/) intermediates = sorted(intermediates, key=lambda i: i[1].sum.get_device()) to_reduce = [i[1][:2] for i in intermediates] to_reduce = [j for i in to_reduce for j in i] # flatten target_gpus = [i[1].sum.get_device() for i in intermediates] sum_size = sum([i[1].sum_size for i in intermediates]) sum_, ssum = ReduceAddCoalesced.apply(target_gpus[0], 2, *to_reduce) mean, inv_std = self._compute_mean_std(sum_, ssum, sum_size) broadcasted = Broadcast.apply(target_gpus, mean, inv_std) # print('a') # print(type(sum_), type(ssum), type(sum_size), sum_.shape, ssum.shape, sum_size) # broadcasted = Broadcast.apply(target_gpus, sum_, ssum, torch.tensor(sum_size).float().to(sum_.device)) # print('b') outputs = [] for i, rec in enumerate(intermediates): outputs.append((rec[0], _MasterMessage(*broadcasted[i*2:i*2+2]))) # outputs.append((rec[0], _MasterMessage(*broadcasted[i*3:i*3+3]))) return outputs def _compute_mean_std(self, sum_, ssum, size): """Compute the mean and standard-deviation with sum and square-sum. This method also maintains the moving average on the master device.""" assert size > 1, 'BatchNorm computes unbiased standard-deviation, which requires size > 1.' mean = sum_ / size sumvar = ssum - sum_ * mean unbias_var = sumvar / (size - 1) bias_var = sumvar / size self.running_mean = (1 - self.momentum) * self.running_mean + self.momentum * mean.data self.running_var = (1 - self.momentum) * self.running_var + self.momentum * unbias_var.data return mean, torch.rsqrt(bias_var + self.eps) # return mean, bias_var.clamp(self.eps) ** -0.5 class SynchronizedBatchNorm1d(_SynchronizedBatchNorm): r"""Applies Synchronized Batch Normalization over a 2d or 3d input that is seen as a mini-batch. .. math:: y = \frac{x - mean[x]}{ \sqrt{Var[x] + \epsilon}} * gamma + beta This module differs from the built-in PyTorch BatchNorm1d as the mean and standard-deviation are reduced across all devices during training. For example, when one uses `nn.DataParallel` to wrap the network during training, PyTorch's implementation normalize the tensor on each device using the statistics only on that device, which accelerated the computation and is also easy to implement, but the statistics might be inaccurate. Instead, in this synchronized version, the statistics will be computed over all training samples distributed on multiple devices. Note that, for one-GPU or CPU-only case, this module behaves exactly same as the built-in PyTorch implementation. The mean and standard-deviation are calculated per-dimension over the mini-batches and gamma and beta are learnable parameter vectors of size C (where C is the input size). During training, this layer keeps a running estimate of its computed mean and variance. The running sum is kept with a default momentum of 0.1. During evaluation, this running mean/variance is used for normalization. Because the BatchNorm is done over the `C` dimension, computing statistics on `(N, L)` slices, it's common terminology to call this Temporal BatchNorm Args: num_features: num_features from an expected input of size `batch_size x num_features [x width]` eps: a value added to the denominator for numerical stability. Default: 1e-5 momentum: the value used for the running_mean and running_var computation. Default: 0.1 affine: a boolean value that when set to ``True``, gives the layer learnable affine parameters. Default: ``True`` Shape: - Input: :math:`(N, C)` or :math:`(N, C, L)` - Output: :math:`(N, C)` or :math:`(N, C, L)` (same shape as input) Examples: >>> # With Learnable Parameters >>> m = SynchronizedBatchNorm1d(100) >>> # Without Learnable Parameters >>> m = SynchronizedBatchNorm1d(100, affine=False) >>> input = torch.autograd.Variable(torch.randn(20, 100)) >>> output = m(input) """ def _check_input_dim(self, input): if input.dim() != 2 and input.dim() != 3: raise ValueError('expected 2D or 3D input (got {}D input)' .format(input.dim())) super(SynchronizedBatchNorm1d, self)._check_input_dim(input) class SynchronizedBatchNorm2d(_SynchronizedBatchNorm): r"""Applies Batch Normalization over a 4d input that is seen as a mini-batch of 3d inputs .. math:: y = \frac{x - mean[x]}{ \sqrt{Var[x] + \epsilon}} * gamma + beta This module differs from the built-in PyTorch BatchNorm2d as the mean and standard-deviation are reduced across all devices during training. For example, when one uses `nn.DataParallel` to wrap the network during training, PyTorch's implementation normalize the tensor on each device using the statistics only on that device, which accelerated the computation and is also easy to implement, but the statistics might be inaccurate. Instead, in this synchronized version, the statistics will be computed over all training samples distributed on multiple devices. Note that, for one-GPU or CPU-only case, this module behaves exactly same as the built-in PyTorch implementation. The mean and standard-deviation are calculated per-dimension over the mini-batches and gamma and beta are learnable parameter vectors of size C (where C is the input size). During training, this layer keeps a running estimate of its computed mean and variance. The running sum is kept with a default momentum of 0.1. During evaluation, this running mean/variance is used for normalization. Because the BatchNorm is done over the `C` dimension, computing statistics on `(N, H, W)` slices, it's common terminology to call this Spatial BatchNorm Args: num_features: num_features from an expected input of size batch_size x num_features x height x width eps: a value added to the denominator for numerical stability. Default: 1e-5 momentum: the value used for the running_mean and running_var computation. Default: 0.1 affine: a boolean value that when set to ``True``, gives the layer learnable affine parameters. Default: ``True`` Shape: - Input: :math:`(N, C, H, W)` - Output: :math:`(N, C, H, W)` (same shape as input) Examples: >>> # With Learnable Parameters >>> m = SynchronizedBatchNorm2d(100) >>> # Without Learnable Parameters >>> m = SynchronizedBatchNorm2d(100, affine=False) >>> input = torch.autograd.Variable(torch.randn(20, 100, 35, 45)) >>> output = m(input) """ def _check_input_dim(self, input): if input.dim() != 4: raise ValueError('expected 4D input (got {}D input)' .format(input.dim())) super(SynchronizedBatchNorm2d, self)._check_input_dim(input) class SynchronizedBatchNorm3d(_SynchronizedBatchNorm): r"""Applies Batch Normalization over a 5d input that is seen as a mini-batch of 4d inputs .. math:: y = \frac{x - mean[x]}{ \sqrt{Var[x] + \epsilon}} * gamma + beta This module differs from the built-in PyTorch BatchNorm3d as the mean and standard-deviation are reduced across all devices during training. For example, when one uses `nn.DataParallel` to wrap the network during training, PyTorch's implementation normalize the tensor on each device using the statistics only on that device, which accelerated the computation and is also easy to implement, but the statistics might be inaccurate. Instead, in this synchronized version, the statistics will be computed over all training samples distributed on multiple devices. Note that, for one-GPU or CPU-only case, this module behaves exactly same as the built-in PyTorch implementation. The mean and standard-deviation are calculated per-dimension over the mini-batches and gamma and beta are learnable parameter vectors of size C (where C is the input size). During training, this layer keeps a running estimate of its computed mean and variance. The running sum is kept with a default momentum of 0.1. During evaluation, this running mean/variance is used for normalization. Because the BatchNorm is done over the `C` dimension, computing statistics on `(N, D, H, W)` slices, it's common terminology to call this Volumetric BatchNorm or Spatio-temporal BatchNorm Args: num_features: num_features from an expected input of size batch_size x num_features x depth x height x width eps: a value added to the denominator for numerical stability. Default: 1e-5 momentum: the value used for the running_mean and running_var computation. Default: 0.1 affine: a boolean value that when set to ``True``, gives the layer learnable affine parameters. Default: ``True`` Shape: - Input: :math:`(N, C, D, H, W)` - Output: :math:`(N, C, D, H, W)` (same shape as input) Examples: >>> # With Learnable Parameters >>> m = SynchronizedBatchNorm3d(100) >>> # Without Learnable Parameters >>> m = SynchronizedBatchNorm3d(100, affine=False) >>> input = torch.autograd.Variable(torch.randn(20, 100, 35, 45, 10)) >>> output = m(input) """ def _check_input_dim(self, input): if input.dim() != 5: raise ValueError('expected 5D input (got {}D input)' .format(input.dim())) super(SynchronizedBatchNorm3d, self)._check_input_dim(input)
14,882
41.644699
159
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/sync_batchnorm/batchnorm_reimpl.py
#! /usr/bin/env python3 # -*- coding: utf-8 -*- # File : batchnorm_reimpl.py # Author : acgtyrant # Date : 11/01/2018 # # This file is part of Synchronized-BatchNorm-PyTorch. # https://github.com/vacancy/Synchronized-BatchNorm-PyTorch # Distributed under MIT License. import torch import torch.nn as nn import torch.nn.init as init __all__ = ['BatchNormReimpl'] class BatchNorm2dReimpl(nn.Module): """ A re-implementation of batch normalization, used for testing the numerical stability. Author: acgtyrant See also: https://github.com/vacancy/Synchronized-BatchNorm-PyTorch/issues/14 """ def __init__(self, num_features, eps=1e-5, momentum=0.1): super().__init__() self.num_features = num_features self.eps = eps self.momentum = momentum self.weight = nn.Parameter(torch.empty(num_features)) self.bias = nn.Parameter(torch.empty(num_features)) self.register_buffer('running_mean', torch.zeros(num_features)) self.register_buffer('running_var', torch.ones(num_features)) self.reset_parameters() def reset_running_stats(self): self.running_mean.zero_() self.running_var.fill_(1) def reset_parameters(self): self.reset_running_stats() init.uniform_(self.weight) init.zeros_(self.bias) def forward(self, input_): batchsize, channels, height, width = input_.size() numel = batchsize * height * width input_ = input_.permute(1, 0, 2, 3).contiguous().view(channels, numel) sum_ = input_.sum(1) sum_of_square = input_.pow(2).sum(1) mean = sum_ / numel sumvar = sum_of_square - sum_ * mean self.running_mean = ( (1 - self.momentum) * self.running_mean + self.momentum * mean.detach() ) unbias_var = sumvar / (numel - 1) self.running_var = ( (1 - self.momentum) * self.running_var + self.momentum * unbias_var.detach() ) bias_var = sumvar / numel inv_std = 1 / (bias_var + self.eps).pow(0.5) output = ( (input_ - mean.unsqueeze(1)) * inv_std.unsqueeze(1) * self.weight.unsqueeze(1) + self.bias.unsqueeze(1)) return output.view(channels, batchsize, height, width).permute(1, 0, 2, 3).contiguous()
2,383
30.786667
95
py
cGAN-KD
cGAN-KD-main/CIFAR-100/make_fake_datasets/models/layers/layers.py
''' Layers This file contains various layers for the BigGAN models. ''' import numpy as np import torch import torch.nn as nn from torch.nn import init import torch.optim as optim import torch.nn.functional as F from torch.nn import Parameter as P #from sync_batchnorm import SynchronizedBatchNorm2d as SyncBN2d # Projection of x onto y def proj(x, y): return torch.mm(y, x.t()) * y / torch.mm(y, y.t()) # Orthogonalize x wrt list of vectors ys def gram_schmidt(x, ys): for y in ys: x = x - proj(x, y) return x # Apply num_itrs steps of the power method to estimate top N singular values. def power_iteration(W, u_, update=True, eps=1e-12): # Lists holding singular vectors and values us, vs, svs = [], [], [] for i, u in enumerate(u_): # Run one step of the power iteration with torch.no_grad(): v = torch.matmul(u, W) # Run Gram-Schmidt to subtract components of all other singular vectors v = F.normalize(gram_schmidt(v, vs), eps=eps) # Add to the list vs += [v] # Update the other singular vector u = torch.matmul(v, W.t()) # Run Gram-Schmidt to subtract components of all other singular vectors u = F.normalize(gram_schmidt(u, us), eps=eps) # Add to the list us += [u] if update: u_[i][:] = u # Compute this singular value and add it to the list svs += [torch.squeeze(torch.matmul(torch.matmul(v, W.t()), u.t()))] #svs += [torch.sum(F.linear(u, W.transpose(0, 1)) * v)] return svs, us, vs # Convenience passthrough function class identity(nn.Module): def forward(self, input): return input # Spectral normalization base class class SN(object): def __init__(self, num_svs, num_itrs, num_outputs, transpose=False, eps=1e-12): # Number of power iterations per step self.num_itrs = num_itrs # Number of singular values self.num_svs = num_svs # Transposed? self.transpose = transpose # Epsilon value for avoiding divide-by-0 self.eps = eps # Register a singular vector for each sv for i in range(self.num_svs): self.register_buffer('u%d' % i, torch.randn(1, num_outputs)) self.register_buffer('sv%d' % i, torch.ones(1)) # Singular vectors (u side) @property def u(self): return [getattr(self, 'u%d' % i) for i in range(self.num_svs)] # Singular values; # note that these buffers are just for logging and are not used in training. @property def sv(self): return [getattr(self, 'sv%d' % i) for i in range(self.num_svs)] # Compute the spectrally-normalized weight def W_(self): W_mat = self.weight.view(self.weight.size(0), -1) if self.transpose: W_mat = W_mat.t() # Apply num_itrs power iterations for _ in range(self.num_itrs): svs, us, vs = power_iteration(W_mat, self.u, update=self.training, eps=self.eps) # Update the svs if self.training: with torch.no_grad(): # Make sure to do this in a no_grad() context or you'll get memory leaks! for i, sv in enumerate(svs): self.sv[i][:] = sv return self.weight / svs[0] # 2D Conv layer with spectral norm class SNConv2d(nn.Conv2d, SN): def __init__(self, in_channels, out_channels, kernel_size, stride=1, padding=0, dilation=1, groups=1, bias=True, num_svs=1, num_itrs=1, eps=1e-12): nn.Conv2d.__init__(self, in_channels, out_channels, kernel_size, stride, padding, dilation, groups, bias) SN.__init__(self, num_svs, num_itrs, out_channels, eps=eps) def forward(self, x): return F.conv2d(x, self.W_(), self.bias, self.stride, self.padding, self.dilation, self.groups) # Linear layer with spectral norm class SNLinear(nn.Linear, SN): def __init__(self, in_features, out_features, bias=True, num_svs=1, num_itrs=1, eps=1e-12): nn.Linear.__init__(self, in_features, out_features, bias) SN.__init__(self, num_svs, num_itrs, out_features, eps=eps) def forward(self, x): return F.linear(x, self.W_(), self.bias) # Embedding layer with spectral norm # We use num_embeddings as the dim instead of embedding_dim here # for convenience sake class SNEmbedding(nn.Embedding, SN): def __init__(self, num_embeddings, embedding_dim, padding_idx=None, max_norm=None, norm_type=2, scale_grad_by_freq=False, sparse=False, _weight=None, num_svs=1, num_itrs=1, eps=1e-12): nn.Embedding.__init__(self, num_embeddings, embedding_dim, padding_idx, max_norm, norm_type, scale_grad_by_freq, sparse, _weight) SN.__init__(self, num_svs, num_itrs, num_embeddings, eps=eps) def forward(self, x): return F.embedding(x, self.W_()) # A non-local block as used in SA-GAN # Note that the implementation as described in the paper is largely incorrect; # refer to the released code for the actual implementation. class Attention(nn.Module): def __init__(self, ch, which_conv=SNConv2d, name='attention'): super(Attention, self).__init__() # Channel multiplier self.ch = ch self.which_conv = which_conv self.theta = self.which_conv(self.ch, self.ch // 8, kernel_size=1, padding=0, bias=False) self.phi = self.which_conv(self.ch, self.ch // 8, kernel_size=1, padding=0, bias=False) self.g = self.which_conv(self.ch, self.ch // 2, kernel_size=1, padding=0, bias=False) self.o = self.which_conv(self.ch // 2, self.ch, kernel_size=1, padding=0, bias=False) # Learnable gain parameter self.gamma = P(torch.tensor(0.), requires_grad=True) def forward(self, x, y=None): # Apply convs theta = self.theta(x) phi = F.max_pool2d(self.phi(x), [2,2]) g = F.max_pool2d(self.g(x), [2,2]) # Perform reshapes theta = theta.view(-1, self. ch // 8, x.shape[2] * x.shape[3]) phi = phi.view(-1, self. ch // 8, x.shape[2] * x.shape[3] // 4) g = g.view(-1, self. ch // 2, x.shape[2] * x.shape[3] // 4) # Matmul and softmax to get attention maps beta = F.softmax(torch.bmm(theta.transpose(1, 2), phi), -1) # Attention map times g path o = self.o(torch.bmm(g, beta.transpose(1,2)).view(-1, self.ch // 2, x.shape[2], x.shape[3])) return self.gamma * o + x # Fused batchnorm op def fused_bn(x, mean, var, gain=None, bias=None, eps=1e-5): # Apply scale and shift--if gain and bias are provided, fuse them here # Prepare scale scale = torch.rsqrt(var + eps) # If a gain is provided, use it if gain is not None: scale = scale * gain # Prepare shift shift = mean * scale # If bias is provided, use it if bias is not None: shift = shift - bias return x * scale - shift #return ((x - mean) / ((var + eps) ** 0.5)) * gain + bias # The unfused way. # Manual BN # Calculate means and variances using mean-of-squares minus mean-squared def manual_bn(x, gain=None, bias=None, return_mean_var=False, eps=1e-5): # Cast x to float32 if necessary float_x = x.float() # Calculate expected value of x (m) and expected value of x**2 (m2) # Mean of x m = torch.mean(float_x, [0, 2, 3], keepdim=True) # Mean of x squared m2 = torch.mean(float_x ** 2, [0, 2, 3], keepdim=True) # Calculate variance as mean of squared minus mean squared. var = (m2 - m **2) # Cast back to float 16 if necessary var = var.type(x.type()) m = m.type(x.type()) # Return mean and variance for updating stored mean/var if requested if return_mean_var: return fused_bn(x, m, var, gain, bias, eps), m.squeeze(), var.squeeze() else: return fused_bn(x, m, var, gain, bias, eps) # My batchnorm, supports standing stats class myBN(nn.Module): def __init__(self, num_channels, eps=1e-5, momentum=0.1): super(myBN, self).__init__() # momentum for updating running stats self.momentum = momentum # epsilon to avoid dividing by 0 self.eps = eps # Momentum self.momentum = momentum # Register buffers self.register_buffer('stored_mean', torch.zeros(num_channels)) self.register_buffer('stored_var', torch.ones(num_channels)) self.register_buffer('accumulation_counter', torch.zeros(1)) # Accumulate running means and vars self.accumulate_standing = False # reset standing stats def reset_stats(self): self.stored_mean[:] = 0 self.stored_var[:] = 0 self.accumulation_counter[:] = 0 def forward(self, x, gain, bias): if self.training: out, mean, var = manual_bn(x, gain, bias, return_mean_var=True, eps=self.eps) # If accumulating standing stats, increment them if self.accumulate_standing: self.stored_mean[:] = self.stored_mean + mean.data self.stored_var[:] = self.stored_var + var.data self.accumulation_counter += 1.0 # If not accumulating standing stats, take running averages else: self.stored_mean[:] = self.stored_mean * (1 - self.momentum) + mean * self.momentum self.stored_var[:] = self.stored_var * (1 - self.momentum) + var * self.momentum return out # If not in training mode, use the stored statistics else: mean = self.stored_mean.view(1, -1, 1, 1) var = self.stored_var.view(1, -1, 1, 1) # If using standing stats, divide them by the accumulation counter if self.accumulate_standing: mean = mean / self.accumulation_counter var = var / self.accumulation_counter return fused_bn(x, mean, var, gain, bias, self.eps) # Simple function to handle groupnorm norm stylization def groupnorm(x, norm_style): # If number of channels specified in norm_style: if 'ch' in norm_style: ch = int(norm_style.split('_')[-1]) groups = max(int(x.shape[1]) // ch, 1) # If number of groups specified in norm style elif 'grp' in norm_style: groups = int(norm_style.split('_')[-1]) # If neither, default to groups = 16 else: groups = 16 return F.group_norm(x, groups) # Class-conditional bn # output size is the number of channels, input size is for the linear layers # Andy's Note: this class feels messy but I'm not really sure how to clean it up # Suggestions welcome! (By which I mean, refactor this and make a pull request # if you want to make this more readable/usable). class ccbn(nn.Module): def __init__(self, output_size, input_size, which_linear, eps=1e-5, momentum=0.1, cross_replica=False, mybn=False, norm_style='bn',): super(ccbn, self).__init__() self.output_size, self.input_size = output_size, input_size # Prepare gain and bias layers self.gain = which_linear(input_size, output_size) self.bias = which_linear(input_size, output_size) # epsilon to avoid dividing by 0 self.eps = eps # Momentum self.momentum = momentum # Use cross-replica batchnorm? self.cross_replica = cross_replica # Use my batchnorm? self.mybn = mybn # Norm style? self.norm_style = norm_style if self.cross_replica: self.bn = SyncBN2d(output_size, eps=self.eps, momentum=self.momentum, affine=False) elif self.mybn: self.bn = myBN(output_size, self.eps, self.momentum) elif self.norm_style in ['bn', 'in']: self.register_buffer('stored_mean', torch.zeros(output_size)) self.register_buffer('stored_var', torch.ones(output_size)) def forward(self, x, y): # Calculate class-conditional gains and biases gain = (1 + self.gain(y)).view(y.size(0), -1, 1, 1) bias = self.bias(y).view(y.size(0), -1, 1, 1) # If using my batchnorm if self.mybn or self.cross_replica: return self.bn(x, gain=gain, bias=bias) # else: else: if self.norm_style == 'bn': out = F.batch_norm(x, self.stored_mean, self.stored_var, None, None, self.training, 0.1, self.eps) elif self.norm_style == 'in': out = F.instance_norm(x, self.stored_mean, self.stored_var, None, None, self.training, 0.1, self.eps) elif self.norm_style == 'gn': out = groupnorm(x, self.normstyle) elif self.norm_style == 'nonorm': out = x return out * gain + bias def extra_repr(self): s = 'out: {output_size}, in: {input_size},' s +=' cross_replica={cross_replica}' return s.format(**self.__dict__) # Normal, non-class-conditional BN class bn(nn.Module): def __init__(self, output_size, eps=1e-5, momentum=0.1, cross_replica=False, mybn=False): super(bn, self).__init__() self.output_size= output_size # Prepare gain and bias layers self.gain = P(torch.ones(output_size), requires_grad=True) self.bias = P(torch.zeros(output_size), requires_grad=True) # epsilon to avoid dividing by 0 self.eps = eps # Momentum self.momentum = momentum # Use cross-replica batchnorm? self.cross_replica = cross_replica # Use my batchnorm? self.mybn = mybn if self.cross_replica: self.bn = SyncBN2d(output_size, eps=self.eps, momentum=self.momentum, affine=False) elif mybn: self.bn = myBN(output_size, self.eps, self.momentum) # Register buffers if neither of the above else: self.register_buffer('stored_mean', torch.zeros(output_size)) self.register_buffer('stored_var', torch.ones(output_size)) def forward(self, x, y=None): if self.cross_replica or self.mybn: gain = self.gain.view(1,-1,1,1) bias = self.bias.view(1,-1,1,1) return self.bn(x, gain=gain, bias=bias) else: return F.batch_norm(x, self.stored_mean, self.stored_var, self.gain, self.bias, self.training, self.momentum, self.eps) # Generator blocks # Note that this class assumes the kernel size and padding (and any other # settings) have been selected in the main generator module and passed in # through the which_conv arg. Similar rules apply with which_bn (the input # size [which is actually the number of channels of the conditional info] must # be preselected) class GBlock(nn.Module): def __init__(self, in_channels, out_channels, which_conv=nn.Conv2d, which_bn=bn, activation=None, upsample=None): super(GBlock, self).__init__() self.in_channels, self.out_channels = in_channels, out_channels self.which_conv, self.which_bn = which_conv, which_bn self.activation = activation self.upsample = upsample # Conv layers self.conv1 = self.which_conv(self.in_channels, self.out_channels) self.conv2 = self.which_conv(self.out_channels, self.out_channels) self.learnable_sc = in_channels != out_channels or upsample if self.learnable_sc: self.conv_sc = self.which_conv(in_channels, out_channels, kernel_size=1, padding=0) # Batchnorm layers self.bn1 = self.which_bn(in_channels) self.bn2 = self.which_bn(out_channels) # upsample layers self.upsample = upsample def forward(self, x, y): h = self.activation(self.bn1(x, y)) if self.upsample: h = self.upsample(h) x = self.upsample(x) h = self.conv1(h) h = self.activation(self.bn2(h, y)) h = self.conv2(h) if self.learnable_sc: x = self.conv_sc(x) return h + x # Residual block for the discriminator class DBlock(nn.Module): def __init__(self, in_channels, out_channels, which_conv=SNConv2d, wide=True, preactivation=False, activation=None, downsample=None,): super(DBlock, self).__init__() self.in_channels, self.out_channels = in_channels, out_channels # If using wide D (as in SA-GAN and BigGAN), change the channel pattern self.hidden_channels = self.out_channels if wide else self.in_channels self.which_conv = which_conv self.preactivation = preactivation self.activation = activation self.downsample = downsample # Conv layers self.conv1 = self.which_conv(self.in_channels, self.hidden_channels) self.conv2 = self.which_conv(self.hidden_channels, self.out_channels) self.learnable_sc = True if (in_channels != out_channels) or downsample else False if self.learnable_sc: self.conv_sc = self.which_conv(in_channels, out_channels, kernel_size=1, padding=0) def shortcut(self, x): if self.preactivation: if self.learnable_sc: x = self.conv_sc(x) if self.downsample: x = self.downsample(x) else: if self.downsample: x = self.downsample(x) if self.learnable_sc: x = self.conv_sc(x) return x def forward(self, x): if self.preactivation: # h = self.activation(x) # NOT TODAY SATAN # Andy's note: This line *must* be an out-of-place ReLU or it # will negatively affect the shortcut connection. h = F.relu(x) else: h = x h = self.conv1(h) h = self.conv2(self.activation(h)) if self.downsample: h = self.downsample(h) return h + self.shortcut(x) # dogball
17,132
36.245652
101
py
cGAN-KD
cGAN-KD-main/CIFAR-100/SSKD/teacher_data_loader.py
import numpy as np import torch import torchvision import torchvision.transforms as transforms import PIL from PIL import Image import h5py import os class IMGs_dataset(torch.utils.data.Dataset): def __init__(self, images, labels=None, transform=None): super(IMGs_dataset, self).__init__() self.images = images self.n_images = len(self.images) self.labels = labels if labels is not None: if len(self.images) != len(self.labels): raise Exception('images (' + str(len(self.images)) +') and labels ('+str(len(self.labels))+') do not have the same length!!!') self.transform = transform def __getitem__(self, index): ## for RGB only image = self.images[index] if self.transform is not None: image = np.transpose(image, (1, 2, 0)) #C * H * W ----> H * W * C image = Image.fromarray(np.uint8(image), mode = 'RGB') #H * W * C image = self.transform(image) # ## for grey scale only # image = self.images[index] # if self.transform is not None: # image = Image.fromarray(np.uint8(image[0]), mode = 'L') #H * W * C # image = self.transform(image) # # image = np.array(image) # # image = image[np.newaxis,:,:] # # print(image.shape) if self.labels is not None: label = self.labels[index] return image, label return image def __len__(self): return self.n_images def get_cifar(num_classes=100, real_data="", fake_data="None", nfake=1e30, batch_size=128, num_workers=0): ## load real data train_set = torchvision.datasets.CIFAR100(root=real_data, download=True, train=True) real_images = train_set.data real_images = np.transpose(real_images, (0, 3, 1, 2)) real_labels = np.array(train_set.targets) ## load fake data if fake_data != 'None': ## load fake data with h5py.File(fake_data, "r") as f: images_train = f['fake_images'][:] labels_train = f['fake_labels'][:] labels_train = labels_train.astype(int) if nfake<len(labels_train): indx_fake = [] for i in range(num_classes): indx_fake_i = np.where(labels_train==i)[0] if i != (num_classes-1): nfake_i = nfake//num_classes else: nfake_i = nfake-(nfake//num_classes)*i indx_fake_i = np.random.choice(indx_fake_i, size=min(int(nfake_i), len(indx_fake_i)), replace=False) indx_fake.append(indx_fake_i) #end for i indx_fake = np.concatenate(indx_fake) images_train = images_train[indx_fake] labels_train = labels_train[indx_fake] ## concatenate images_train = np.concatenate((real_images, images_train), axis=0) labels_train = np.concatenate((real_labels, labels_train), axis=0) labels_train = labels_train.astype(int) else: images_train = real_images labels_train = real_labels ## compute the mean and std for normalization train_means = [] train_stds = [] for i in range(3): images_i = images_train[:,i,:,:] images_i = images_i/255.0 train_means.append(np.mean(images_i)) train_stds.append(np.std(images_i)) ## for i cifar_testset = torchvision.datasets.CIFAR100(root = real_data, train=False, download=True) images_test = cifar_testset.data images_test = np.transpose(images_test, (0, 3, 1, 2)) labels_test = np.array(cifar_testset.targets) ## info of training set and test set print("\n Training set: {}x{}x{}x{}; Testing set: {}x{}x{}x{}.".format(images_train.shape[0], images_train.shape[1], images_train.shape[2], images_train.shape[3], images_test.shape[0], images_test.shape[1], images_test.shape[2], images_test.shape[3])) transform_cnn_train = transforms.Compose([ transforms.RandomCrop((32, 32), padding=4), transforms.RandomHorizontalFlip(), transforms.ToTensor(), transforms.Normalize(train_means, train_stds), ]) transform_cnn_test = transforms.Compose([ transforms.ToTensor(), transforms.Normalize(train_means, train_stds), ]) trainset_cnn = IMGs_dataset(images_train, labels_train, transform=transform_cnn_train) train_loader = torch.utils.data.DataLoader(trainset_cnn, batch_size=batch_size, shuffle=True, num_workers=num_workers) testset_cnn = IMGs_dataset(images_test, labels_test, transform=transform_cnn_test) test_loader = torch.utils.data.DataLoader(testset_cnn, batch_size=batch_size, shuffle=False, num_workers=num_workers) return train_loader, test_loader
4,889
36.906977
255
py
cGAN-KD
cGAN-KD-main/CIFAR-100/SSKD/teacher.py
print("\n ===================================================================================================") import os import os.path as osp import argparse import time import numpy as np import torch import torch.nn as nn import torch.nn.functional as F import torch.optim as optim from torch.utils.data import DataLoader import torchvision.transforms as transforms from utils import AverageMeter, accuracy from models import model_dict from teacher_data_loader import get_cifar torch.backends.cudnn.benchmark = True parser = argparse.ArgumentParser(description='train teacher network.') parser.add_argument('--root_path', default="", type=str) parser.add_argument('--real_data', default="", type=str) parser.add_argument('--num_classes', type=int, default=100) parser.add_argument('--num_workers', type=int, default=0) parser.add_argument('--seed', type=int, default=0) parser.add_argument('--fake_data', default="None", type=str) parser.add_argument('--nfake', default=1e30, type=float) parser.add_argument('--finetune', action='store_true', default=False) parser.add_argument('--init_model_path', type=str, default='') parser.add_argument('--arch', type=str) parser.add_argument('--epochs', type=int, default=240) parser.add_argument('--resume_epoch', type=int, default=0) parser.add_argument('--batch_size', type=int, default=64) parser.add_argument('--lr', type=float, default=0.05) parser.add_argument('--lr_decay_epochs', type=str, default='150_180_210', help='decay lr at which epoch; separate by _') parser.add_argument('--lr_decay_factor', type=float, default=0.1) parser.add_argument('--momentum', type=float, default=0.9) parser.add_argument('--weight_decay', type=float, default=5e-4) parser.add_argument('--save_interval', type=int, default=50) args = parser.parse_args() ####################################### ''' set seed ''' torch.manual_seed(args.seed) torch.cuda.manual_seed(args.seed) np.random.seed(args.seed) ''' save folders ''' if args.fake_data=="None" or args.nfake<=0: save_folder = os.path.join(args.root_path, 'output/teachers/vanilla') else: fake_data_name = args.fake_data.split('/')[-1] save_folder = os.path.join(args.root_path, 'output/teachers/{}_useNfake_{}'.format(fake_data_name, args.nfake)) os.makedirs(save_folder, exist_ok=True) setting_name = "{}_lr_{}_decay_{}".format(args.arch, args.lr, args.weight_decay) save_intrain_folder = os.path.join(save_folder, 'ckpts_in_train', setting_name) os.makedirs(save_intrain_folder, exist_ok=True) # exp_name = 'teacher_{}_seed{}'.format(args.arch, args.seed) # exp_path = './experiments/{}'.format(exp_name) # os.makedirs(exp_path, exist_ok=True) ''' dataloaders ''' train_loader, val_loader = get_cifar(num_classes=args.num_classes, real_data=args.real_data, fake_data=args.fake_data, nfake=args.nfake, batch_size=args.batch_size, num_workers=args.num_workers) ####################################### ''' learning rate decay ''' lr_decay_epochs = (args.lr_decay_epochs).split("_") lr_decay_epochs = [int(epoch) for epoch in lr_decay_epochs] def adjust_learning_rate(optimizer, epoch): """decrease the learning rate """ lr = args.lr num_decays = len(lr_decay_epochs) for decay_i in range(num_decays): if epoch >= lr_decay_epochs[decay_i]: lr = lr * args.lr_decay_factor #end if epoch #end for decay_i for param_group in optimizer.param_groups: param_group['lr'] = lr ''' init. models ''' model = model_dict[args.arch](num_classes=args.num_classes).cuda() optimizer = optim.SGD(model.parameters(), lr=args.lr, momentum=args.momentum, weight_decay=args.weight_decay) ''' whether finetune ''' if args.finetune: ckpt_model_filename = os.path.join(save_folder, 'ckpt_{}_epoch_{}_finetune_last.pth'.format(args.arch, args.epochs)) ## load pre-trained model checkpoint = torch.load(args.init_model_path) model.load_state_dict(checkpoint['model']) else: ckpt_model_filename = os.path.join(save_folder, 'ckpt_{}_epoch_{}_last.pth'.format(args.arch, args.epochs)) print('\n ' + ckpt_model_filename) ''' start training ''' if not os.path.isfile(ckpt_model_filename): print("\n Start training {} >>>".format(args.arch)) if args.resume_epoch>0: save_file = save_intrain_folder + "/ckpt_{}_epoch_{}.pth".format(args.arch, args.resume_epoch) checkpoint = torch.load(save_file) model.load_state_dict(checkpoint['model']) optimizer.load_state_dict(checkpoint['optimizer']) #end if total_train_time = 0 for epoch in range(args.resume_epoch, args.epochs): adjust_learning_rate(optimizer, epoch) ########################## ## Training Stage model.train() loss_record = AverageMeter() acc_record = AverageMeter() start = time.time() for x, target in train_loader: optimizer.zero_grad() x = x.cuda() target = target.type(torch.long).cuda() output = model(x) loss = F.cross_entropy(output, target) loss.backward() optimizer.step() batch_acc = accuracy(output, target, topk=(1,))[0] loss_record.update(loss.item(), x.size(0)) acc_record.update(batch_acc.item(), x.size(0)) run_time = time.time() - start total_train_time+=run_time info = '\n train_Epoch:{:03d}/{:03d}\t run_time:{:.3f}\t cls_loss:{:.3f}\t cls_acc:{:.2f}'.format(epoch+1, args.epochs, run_time, loss_record.avg, acc_record.avg) print(info) ########################## ## Testing Stage model.eval() acc_record = AverageMeter() loss_record = AverageMeter() start = time.time() for x, target in val_loader: x = x.cuda() target = target.type(torch.long).cuda() with torch.no_grad(): output = model(x) loss = F.cross_entropy(output, target) batch_acc = accuracy(output, target, topk=(1,))[0] loss_record.update(loss.item(), x.size(0)) acc_record.update(batch_acc.item(), x.size(0)) run_time = time.time() - start info = '\r test_Epoch:{:03d}/{:03d}\t run_time:{:.2f}\t cls_loss:{:.3f}\t cls_acc:{:.2f}'.format(epoch+1, args.epochs, run_time, loss_record.avg, acc_record.avg) print(info) print('\r Total training time: {:.2f} seconds.'.format(total_train_time)) ########################## ## save checkpoint if (epoch+1) % args.save_interval==0 : save_file = save_intrain_folder + "/ckpt_{}_epoch_{}.pth".format(args.arch, epoch+1) torch.save({ 'model': model.state_dict(), 'optimizer': optimizer.state_dict(), }, save_file) ## end for epoch print("\n End training CNN") ## save model torch.save({'model': model.state_dict()}, ckpt_model_filename) else: print("\n Loading pre-trained {}.".format(args.arch)) checkpoint = torch.load(ckpt_model_filename) model.load_state_dict(checkpoint['model']) ########################## model = model.cuda() model.eval() acc_record = AverageMeter() loss_record = AverageMeter() for x, target in val_loader: x = x.cuda() target = target.type(torch.long).cuda() with torch.no_grad(): output = model(x) loss = F.cross_entropy(output, target) batch_acc = accuracy(output, target, topk=(1,))[0] loss_record.update(loss.item(), x.size(0)) acc_record.update(batch_acc.item(), x.size(0)) print('\n Test accuracy of {}: {:.2f}'.format(args.arch, acc_record.avg)) print("\n ===================================================================================================")
7,868
33.513158
194
py
cGAN-KD
cGAN-KD-main/CIFAR-100/SSKD/student.py
print("\n ===================================================================================================") import os import os.path as osp import argparse import time import numpy as np import torch import torch.nn as nn import torch.nn.functional as F import torch.optim as optim from torch.optim.lr_scheduler import MultiStepLR from torch.utils.data import DataLoader import torchvision.transforms as transforms from utils import AverageMeter, accuracy from wrapper import wrapper from models import model_dict from student_dataset import IMGs_dataset torch.backends.cudnn.benchmark = True parser = argparse.ArgumentParser(description='train SSKD student network.') parser.add_argument('--root_path', default="", type=str) parser.add_argument('--real_data', default="", type=str) parser.add_argument('--num_classes', type=int, default=100) parser.add_argument('--num_workers', default=0, type=int) parser.add_argument('--seed', type=int, default=0) parser.add_argument('--fake_data', default="None", type=str) parser.add_argument('--nfake', default=1e30, type=float) parser.add_argument('--finetune', action='store_true', default=False) parser.add_argument('--init_student_path', type=str, default='') parser.add_argument('--s_arch', type=str) # student architecture parser.add_argument('--t_path', type=str) # teacher checkpoint path parser.add_argument('--t_epochs', type=int, default=60, help="for training ssp_head") parser.add_argument('--epochs', type=int, default=240) parser.add_argument('--resume_epoch', type=int, default=0) parser.add_argument('--batch_size', type=int, default=64) parser.add_argument('--lr', type=float, default=0.05) parser.add_argument('--lr_decay_epochs', type=str, default='150_180_210', help='decay lr at which epoch; separate by _') parser.add_argument('--lr_decay_factor', type=float, default=0.1) parser.add_argument('--t_lr', type=float, default=0.05) parser.add_argument('--t_lr_decay_epochs', type=str, default='30_45', help='decay lr at which epoch; separate by _') parser.add_argument('--t_lr_decay_factor', type=float, default=0.1) parser.add_argument('--momentum', type=float, default=0.9) parser.add_argument('--weight_decay', type=float, default=5e-4) parser.add_argument('--save_interval', type=int, default=40) parser.add_argument('--ce_weight', type=float, default=0.1) # cross-entropy parser.add_argument('--kd_weight', type=float, default=0.9) # knowledge distillation parser.add_argument('--tf_weight', type=float, default=2.7) # transformation parser.add_argument('--ss_weight', type=float, default=10.0) # self-supervision parser.add_argument('--kd_T', type=float, default=4.0) # temperature in KD parser.add_argument('--tf_T', type=float, default=4.0) # temperature in LT parser.add_argument('--ss_T', type=float, default=0.5) # temperature in SS parser.add_argument('--ratio_tf', type=float, default=1.0) # keep how many wrong predictions of LT parser.add_argument('--ratio_ss', type=float, default=0.75) # keep how many wrong predictions of SS args = parser.parse_args() ####################################### ''' set seed ''' torch.manual_seed(args.seed) torch.cuda.manual_seed(args.seed) np.random.seed(args.seed) ''' save folders ''' def get_teacher_name(model_path): """parse teacher name""" segments = model_path.split('/')[-1].split('_') if segments[1] != 'wrn': return segments[1] else: return segments[1] + '_' + segments[2] + '_' + segments[3] args.t_arch = get_teacher_name(args.t_path) ## get teacher's name setting_name = 'S_{}_T_{}_lr_{}_decay_{}'.format(args.s_arch, args.t_arch, args.lr, args.weight_decay) if args.fake_data=="None" or args.nfake<=0: save_folder = os.path.join(args.root_path, 'output/students/vanilla') else: fake_data_name = args.fake_data.split('/')[-1] save_folder = os.path.join(args.root_path, 'output/students/{}_useNfake_{}'.format(fake_data_name, args.nfake)) save_folder_ssp = os.path.join(args.root_path, 'output/students/vanilla', 'ssp_heads') os.makedirs(save_folder_ssp, exist_ok=True) save_intrain_folder = os.path.join(save_folder, 'ckpts_in_train', setting_name) os.makedirs(save_intrain_folder, exist_ok=True) ''' dataloaders ''' trainset = IMGs_dataset(train=True, num_classes=args.num_classes, real_data=args.real_data, fake_data=args.fake_data, nfake=args.nfake) train_loader = DataLoader(trainset, batch_size=args.batch_size, shuffle=True, num_workers=args.num_workers, pin_memory=False) valset = IMGs_dataset(train=False, num_classes=args.num_classes, real_data=args.real_data, fake_data=args.fake_data, nfake=args.nfake) val_loader = DataLoader(valset, batch_size=args.batch_size, shuffle=False, num_workers=args.num_workers, pin_memory=False) trainset_ssp = IMGs_dataset(train=True, num_classes=args.num_classes, real_data=args.real_data, fake_data="None") train_loader_ssp = DataLoader(trainset_ssp, batch_size=args.batch_size, shuffle=True, num_workers=args.num_workers, pin_memory=False) # train_loader_ssp = DataLoader(trainset, batch_size=args.batch_size, shuffle=True, num_workers=args.num_workers, pin_memory=False) ##################################################### ''' Load teacher model and train ssp head ''' t_lr_decay_epochs = (args.t_lr_decay_epochs).split("_") t_lr_decay_epochs = [int(epoch) for epoch in t_lr_decay_epochs] def adjust_learning_rate1(optimizer, epoch): """decrease the learning rate """ lr = args.t_lr num_decays = len(t_lr_decay_epochs) for decay_i in range(num_decays): if epoch >= t_lr_decay_epochs[decay_i]: lr = lr * args.t_lr_decay_factor #end if epoch #end for decay_i for param_group in optimizer.param_groups: param_group['lr'] = lr ## load teacher t_model = model_dict[args.t_arch](num_classes=args.num_classes).cuda() state_dict = torch.load(args.t_path)['model'] t_model.load_state_dict(state_dict) t_model = wrapper(module=t_model).cuda() t_optimizer = optim.SGD([{'params':t_model.backbone.parameters(), 'lr':0.0}, {'params':t_model.proj_head.parameters(), 'lr':args.t_lr}], momentum=args.momentum, weight_decay=args.weight_decay) t_model.eval() ## pretrained teacher model's test accuracy t_acc_record = AverageMeter() t_loss_record = AverageMeter() start = time.time() for x, target in val_loader: x = x[:,0,:,:,:].cuda() target = target.long().cuda() with torch.no_grad(): output, _, feat = t_model(x) loss = F.cross_entropy(output, target) batch_acc = accuracy(output, target, topk=(1,))[0] t_acc_record.update(batch_acc.item(), x.size(0)) t_loss_record.update(loss.item(), x.size(0)) run_time = time.time() - start info = '\n teacher cls_acc:{:.2f}'.format(t_acc_record.avg) print(info) # train ssp_head ssp_head_path = save_folder_ssp+'/ckpt_{}_ssp_head_epoch_{}.pth'.format(args.t_arch, args.t_epochs) if not os.path.isfile(ssp_head_path): print("\n Start training SSP head >>>") for epoch in range(args.t_epochs): adjust_learning_rate1(t_optimizer, epoch) t_model.eval() loss_record = AverageMeter() acc_record = AverageMeter() start = time.time() for x, _ in train_loader_ssp: t_optimizer.zero_grad() x = x.cuda() c,h,w = x.size()[-3:] x = x.view(-1, c, h, w) _, rep, feat = t_model(x, bb_grad=False) batch = int(x.size(0) / 4) nor_index = (torch.arange(4*batch) % 4 == 0).cuda() aug_index = (torch.arange(4*batch) % 4 != 0).cuda() nor_rep = rep[nor_index] aug_rep = rep[aug_index] nor_rep = nor_rep.unsqueeze(2).expand(-1,-1,3*batch).transpose(0,2) aug_rep = aug_rep.unsqueeze(2).expand(-1,-1,1*batch) simi = F.cosine_similarity(aug_rep, nor_rep, dim=1) target = torch.arange(batch).unsqueeze(1).expand(-1,3).contiguous().view(-1).long().cuda() loss = F.cross_entropy(simi, target) loss.backward() t_optimizer.step() batch_acc = accuracy(simi, target, topk=(1,))[0] loss_record.update(loss.item(), 3*batch) acc_record.update(batch_acc.item(), 3*batch) run_time = time.time() - start info = '\n teacher_train_Epoch:{:03d}/{:03d}\t run_time:{:.3f}\t ssp_loss:{:.3f}\t ssp_acc:{:.2f}'.format( epoch+1, args.t_epochs, run_time, loss_record.avg, acc_record.avg) print(info) t_model.eval() acc_record = AverageMeter() loss_record = AverageMeter() start = time.time() for x, _ in val_loader: x = x.cuda() c,h,w = x.size()[-3:] x = x.view(-1, c, h, w) with torch.no_grad(): _, rep, feat = t_model(x) batch = int(x.size(0) / 4) nor_index = (torch.arange(4*batch) % 4 == 0).cuda() aug_index = (torch.arange(4*batch) % 4 != 0).cuda() nor_rep = rep[nor_index] aug_rep = rep[aug_index] nor_rep = nor_rep.unsqueeze(2).expand(-1,-1,3*batch).transpose(0,2) aug_rep = aug_rep.unsqueeze(2).expand(-1,-1,1*batch) simi = F.cosine_similarity(aug_rep, nor_rep, dim=1) target = torch.arange(batch).unsqueeze(1).expand(-1,3).contiguous().view(-1).long().cuda() loss = F.cross_entropy(simi, target) batch_acc = accuracy(simi, target, topk=(1,))[0] acc_record.update(batch_acc.item(),3*batch) loss_record.update(loss.item(), 3*batch) run_time = time.time() - start info = '\r ssp_test_Epoch:{:03d}/{:03d}\t run_time:{:.2f}\t ssp_loss:{:.3f}\t ssp_acc:{:.2f}'.format( epoch+1, args.t_epochs, run_time, loss_record.avg, acc_record.avg) print(info) ## end for epoch ## save teacher ckpt torch.save(t_model.state_dict(), ssp_head_path) else: print("\n Loading pre-trained SSP head>>>") checkpoint = torch.load(ssp_head_path) t_model.load_state_dict(checkpoint) ##################################################### ''' Train Student model via SSKD ''' lr_decay_epochs = (args.lr_decay_epochs).split("_") lr_decay_epochs = [int(epoch) for epoch in lr_decay_epochs] def adjust_learning_rate2(optimizer, epoch): """decrease the learning rate """ lr = args.lr num_decays = len(lr_decay_epochs) for decay_i in range(num_decays): if epoch >= lr_decay_epochs[decay_i]: lr = lr * args.lr_decay_factor #end if epoch #end for decay_i for param_group in optimizer.param_groups: param_group['lr'] = lr ## init. student net s_model = model_dict[args.s_arch](num_classes=args.num_classes) s_model = wrapper(module=s_model) s_model_path = "ckpt_" + setting_name + "_epoch_{}".format(args.epochs) if args.finetune: print("\n Initialize student model by pre-trained one") s_model_path = os.path.join(save_folder, s_model_path+'_finetune_last.pth') ## load pre-trained model checkpoint = torch.load(args.init_student_path) s_model.load_state_dict(checkpoint['model']) else: s_model_path = os.path.join(save_folder, s_model_path+'_last.pth') s_model = s_model.cuda() print('\r ' + s_model_path) ## optimizer optimizer = optim.SGD(s_model.parameters(), lr=args.lr, momentum=args.momentum, weight_decay=args.weight_decay) ## training print("\n -----------------------------------------------------------------------------------------") # training if not os.path.isfile(s_model_path): print("\n Start training {} as student net >>>".format(args.s_arch)) ## resume training if args.resume_epoch>0: save_file = os.path.join(save_intrain_folder, "ckpt_{}_epoch_{}.pth".format(args.s_arch, args.resume_epoch)) checkpoint = torch.load(save_file) s_model.load_state_dict(checkpoint['model']) optimizer.load_state_dict(checkpoint['optimizer']) total_train_time = 0 for epoch in range(args.resume_epoch, args.epochs): adjust_learning_rate2(optimizer, epoch) ########################## # train s_model.train() loss1_record = AverageMeter() loss2_record = AverageMeter() loss3_record = AverageMeter() loss4_record = AverageMeter() cls_acc_record = AverageMeter() ssp_acc_record = AverageMeter() start = time.time() for x, target in train_loader: optimizer.zero_grad() c,h,w = x.size()[-3:] x = x.view(-1,c,h,w).cuda() target = target.long().cuda() batch = int(x.size(0) / 4) nor_index = (torch.arange(4*batch) % 4 == 0).cuda() aug_index = (torch.arange(4*batch) % 4 != 0).cuda() output, s_feat, _ = s_model(x, bb_grad=True) log_nor_output = F.log_softmax(output[nor_index] / args.kd_T, dim=1) log_aug_output = F.log_softmax(output[aug_index] / args.tf_T, dim=1) with torch.no_grad(): knowledge, t_feat, _ = t_model(x) nor_knowledge = F.softmax(knowledge[nor_index] / args.kd_T, dim=1) aug_knowledge = F.softmax(knowledge[aug_index] / args.tf_T, dim=1) # error level ranking aug_target = target.unsqueeze(1).expand(-1,3).contiguous().view(-1).long().cuda() rank = torch.argsort(aug_knowledge, dim=1, descending=True) rank = torch.argmax(torch.eq(rank, aug_target.unsqueeze(1)).long(), dim=1) # groundtruth label's rank index = torch.argsort(rank) tmp = torch.nonzero(rank, as_tuple=True)[0] wrong_num = tmp.numel() correct_num = 3*batch - wrong_num wrong_keep = int(wrong_num * args.ratio_tf) index = index[:correct_num+wrong_keep] distill_index_tf = torch.sort(index)[0] s_nor_feat = s_feat[nor_index] s_aug_feat = s_feat[aug_index] s_nor_feat = s_nor_feat.unsqueeze(2).expand(-1,-1,3*batch).transpose(0,2) s_aug_feat = s_aug_feat.unsqueeze(2).expand(-1,-1,1*batch) s_simi = F.cosine_similarity(s_aug_feat, s_nor_feat, dim=1) t_nor_feat = t_feat[nor_index] t_aug_feat = t_feat[aug_index] t_nor_feat = t_nor_feat.unsqueeze(2).expand(-1,-1,3*batch).transpose(0,2) t_aug_feat = t_aug_feat.unsqueeze(2).expand(-1,-1,1*batch) t_simi = F.cosine_similarity(t_aug_feat, t_nor_feat, dim=1) t_simi = t_simi.detach() aug_target = torch.arange(batch).unsqueeze(1).expand(-1,3).contiguous().view(-1).long().cuda() rank = torch.argsort(t_simi, dim=1, descending=True) rank = torch.argmax(torch.eq(rank, aug_target.unsqueeze(1)).long(), dim=1) # groundtruth label's rank index = torch.argsort(rank) tmp = torch.nonzero(rank, as_tuple=True)[0] wrong_num = tmp.numel() correct_num = 3*batch - wrong_num wrong_keep = int(wrong_num * args.ratio_ss) index = index[:correct_num+wrong_keep] distill_index_ss = torch.sort(index)[0] log_simi = F.log_softmax(s_simi / args.ss_T, dim=1) simi_knowledge = F.softmax(t_simi / args.ss_T, dim=1) loss1 = F.cross_entropy(output[nor_index], target) loss2 = F.kl_div(log_nor_output, nor_knowledge, reduction='batchmean') * args.kd_T * args.kd_T loss3 = F.kl_div(log_aug_output[distill_index_tf], aug_knowledge[distill_index_tf], \ reduction='batchmean') * args.tf_T * args.tf_T loss4 = F.kl_div(log_simi[distill_index_ss], simi_knowledge[distill_index_ss], \ reduction='batchmean') * args.ss_T * args.ss_T loss = args.ce_weight * loss1 + args.kd_weight * loss2 + args.tf_weight * loss3 + args.ss_weight * loss4 loss.backward() optimizer.step() cls_batch_acc = accuracy(output[nor_index], target, topk=(1,))[0] ssp_batch_acc = accuracy(s_simi, aug_target, topk=(1,))[0] loss1_record.update(loss1.item(), batch) loss2_record.update(loss2.item(), batch) loss3_record.update(loss3.item(), len(distill_index_tf)) loss4_record.update(loss4.item(), len(distill_index_ss)) cls_acc_record.update(cls_batch_acc.item(), batch) ssp_acc_record.update(ssp_batch_acc.item(), 3*batch) run_time = time.time() - start total_train_time += run_time info = '\n student_train_Epoch:{:03d}/{:03d}\t run_time:{:.3f}\t ce_loss:{:.3f}\t kd_loss:{:.3f}\t cls_acc:{:.2f}'.format(epoch+1, args.epochs, run_time, loss1_record.avg, loss2_record.avg, cls_acc_record.avg) print(info) ########################## # cls val s_model.eval() acc_record = AverageMeter() loss_record = AverageMeter() start = time.time() for x, target in val_loader: x = x[:,0,:,:,:].cuda() target = target.long().cuda() with torch.no_grad(): output, _, feat = s_model(x) loss = F.cross_entropy(output, target) batch_acc = accuracy(output, target, topk=(1,))[0] acc_record.update(batch_acc.item(), x.size(0)) loss_record.update(loss.item(), x.size(0)) run_time = time.time() - start info = '\r student_test_Epoch:{:03d}/{:03d}\t run_time:{:.2f}\t cls_acc:{:.2f}'.format(epoch+1, args.epochs, run_time, acc_record.avg) print(info) ########################## ## save checkpoint if (epoch+1) % args.save_interval==0 : save_file = save_intrain_folder + "/ckpt_{}_epoch_{}.pth".format(args.s_arch, epoch+1) torch.save({ 'model': s_model.state_dict(), 'optimizer': optimizer.state_dict(), }, save_file) ## end for epoch print("\n End training CNN") ## save model torch.save({'model': s_model.state_dict()}, s_model_path) else: print("\n Loading pre-trained {}.".format(args.s_arch)) checkpoint = torch.load(s_model_path) s_model.load_state_dict(checkpoint['model']) ## end if ########################## s_model = s_model.cuda() s_model.eval() acc_record = AverageMeter() loss_record = AverageMeter() start = time.time() for x, target in val_loader: x = x[:,0,:,:,:].cuda() target = target.long().cuda() with torch.no_grad(): output, _, feat = s_model(x) loss = F.cross_entropy(output, target) batch_acc = accuracy(output, target, topk=(1,))[0] acc_record.update(batch_acc.item(), x.size(0)) loss_record.update(loss.item(), x.size(0)) print('\n Test accuracy of {}: {:.2f}'.format(args.s_arch, acc_record.avg)) ''' Dump test results ''' test_results_logging_fullpath = save_folder + '/test_results_S_{}_T_{}.txt'.format(args.s_arch, args.t_arch) if not os.path.isfile(test_results_logging_fullpath): test_results_logging_file = open(test_results_logging_fullpath, "w") test_results_logging_file.close() with open(test_results_logging_fullpath, 'a') as test_results_logging_file: test_results_logging_file.write("\n===================================================================================================") test_results_logging_file.write("\n Teacher: {}; Student: {}; seed: {} \n".format(args.t_arch, args.s_arch, args.seed)) print(args, file=test_results_logging_file) test_results_logging_file.write("\n Teacher test accuracy {}.".format(t_acc_record.avg)) test_results_logging_file.write("\n Student test accuracy {}.".format(acc_record.avg)) print("\n ===================================================================================================")
19,976
40.104938
217
py
cGAN-KD
cGAN-KD-main/CIFAR-100/SSKD/wrapper.py
import torch import torch.nn as nn import torch.nn.functional as F class wrapper(nn.Module): def __init__(self, module): super(wrapper, self).__init__() self.backbone = module feat_dim = list(module.children())[-1].in_features self.proj_head = nn.Sequential( nn.Linear(feat_dim, feat_dim), nn.ReLU(inplace=True), nn.Linear(feat_dim, feat_dim) ) def forward(self, x, bb_grad=True): feats, out = self.backbone(x, is_feat=True) feat = feats[-1].view(feats[-1].size(0), -1) if not bb_grad: feat = feat.detach() return out, self.proj_head(feat), feat
702
24.107143
58
py
cGAN-KD
cGAN-KD-main/CIFAR-100/SSKD/utils.py
import os import logging import numpy as np import torch from torch.nn import init class AverageMeter(object): """Computes and stores the average and current value""" def __init__(self): self.reset() def reset(self): self.count = 0 self.sum = 0.0 self.val = 0.0 self.avg = 0.0 def update(self, val, n=1): self.val = val self.sum += val * n self.count += n self.avg = self.sum / self.count def accuracy(output, target, topk=(1,)): """Computes the precision@k for the specified values of k""" maxk = max(topk) batch_size = target.size(0) _, pred = output.topk(maxk, 1, True, True) pred = pred.t() correct = pred.eq(target.view(1, -1).expand_as(pred)) res = [] for k in topk: correct_k = correct[:k].view(-1).float().sum(0, keepdim=True) res.append(correct_k.mul_(100.0 / batch_size)) return res def norm(x): n = np.linalg.norm(x) return x / n
1,014
20.145833
69
py
cGAN-KD
cGAN-KD-main/CIFAR-100/SSKD/student_dataset.py
from __future__ import print_function from PIL import Image import os import os.path import numpy as np import sys import pickle import torch import torchvision import torchvision.transforms as transforms import torch.utils.data as data from itertools import permutations import h5py class IMGs_dataset(torch.utils.data.Dataset): def __init__(self, train=True, num_classes=100, real_data="", fake_data="None", nfake=1e30): super(IMGs_dataset, self).__init__() self.train = train self.num_classes = num_classes train_set = torchvision.datasets.CIFAR100(root=real_data, download=True, train=True) self.images = train_set.data self.images = np.transpose(self.images, (0, 3, 1, 2)) self.labels = np.array(train_set.targets) if fake_data != 'None': ## load fake data with h5py.File(fake_data, "r") as f: fake_images = f['fake_images'][:] fake_labels = f['fake_labels'][:] fake_labels = fake_labels.astype(int) if nfake<len(fake_labels): indx_fake = [] for i in range(num_classes): indx_fake_i = np.where(fake_labels==i)[0] if i != (num_classes-1): nfake_i = nfake//num_classes else: nfake_i = nfake-(nfake//num_classes)*i indx_fake_i = np.random.choice(indx_fake_i, size=min(int(nfake_i), len(indx_fake_i)), replace=False) indx_fake.append(indx_fake_i) #end for i indx_fake = np.concatenate(indx_fake) fake_images = fake_images[indx_fake] fake_labels = fake_labels[indx_fake] ## concatenate self.images = np.concatenate((self.images, fake_images), axis=0) self.labels = np.concatenate((self.labels, fake_labels), axis=0) self.labels = self.labels.astype(int) print("\n Training images shape: ", self.images.shape) ## compute the mean and std for normalization means = [] stds = [] assert (self.images).shape[1]==3 for i in range(3): images_i = self.images[:,i,:,:] images_i = images_i/255.0 means.append(np.mean(images_i)) stds.append(np.std(images_i)) ## for i self.images = self.images.transpose((0, 2, 3, 1)) # convert to HWC; after computing means and stds ## transforms self.transform = transforms.Compose([ transforms.RandomCrop((32, 32), padding=4), transforms.RandomHorizontalFlip(), transforms.ToTensor(), transforms.Normalize(means, stds), ]) if not self.train: ## NOTE: test mode cifar_testset = torchvision.datasets.CIFAR100(root = real_data, train=False, download=True) self.images = cifar_testset.data # HWC self.labels = np.array(cifar_testset.targets) ## transforms self.transform = transforms.Compose([ transforms.ToTensor(), transforms.Normalize(means, stds), ]) self.n_images = len(self.images) def __getitem__(self, index): img, label = self.images[index], self.labels[index] if self.train: if np.random.rand() < 0.5: img = img[:,::-1,:] img0 = np.rot90(img, 0).copy() img0 = Image.fromarray(img0) img0 = self.transform(img0) img1 = np.rot90(img, 1).copy() img1 = Image.fromarray(img1) img1 = self.transform(img1) img2 = np.rot90(img, 2).copy() img2 = Image.fromarray(img2) img2 = self.transform(img2) img3 = np.rot90(img, 3).copy() img3 = Image.fromarray(img3) img3 = self.transform(img3) img = torch.stack([img0,img1,img2,img3]) return img, label def __len__(self): return self.n_images
4,131
32.593496
120
py
cGAN-KD
cGAN-KD-main/CIFAR-100/SSKD/cifar.py
from __future__ import print_function from PIL import Image import os import os.path import numpy as np import sys import pickle import torch import torch.utils.data as data from itertools import permutations class VisionDataset(data.Dataset): _repr_indent = 4 def __init__(self, root, transforms=None, transform=None, target_transform=None): if isinstance(root, torch._six.string_classes): root = os.path.expanduser(root) self.root = root has_transforms = transforms is not None has_separate_transform = transform is not None or target_transform is not None if has_transforms and has_separate_transform: raise ValueError("Only transforms or transform/target_transform can " "be passed as argument") # for backwards-compatibility self.transform = transform self.target_transform = target_transform if has_separate_transform: transforms = StandardTransform(transform, target_transform) self.transforms = transforms def __getitem__(self, index): raise NotImplementedError def __len__(self): raise NotImplementedError def __repr__(self): head = "Dataset " + self.__class__.__name__ body = ["Number of datapoints: {}".format(self.__len__())] if self.root is not None: body.append("Root location: {}".format(self.root)) body += self.extra_repr().splitlines() if self.transforms is not None: body += [repr(self.transforms)] lines = [head] + [" " * self._repr_indent + line for line in body] return '\n'.join(lines) def _format_transform_repr(self, transform, head): lines = transform.__repr__().splitlines() return (["{}{}".format(head, lines[0])] + ["{}{}".format(" " * len(head), line) for line in lines[1:]]) def extra_repr(self): return "" class CIFAR10(VisionDataset): base_folder = 'cifar-10-batches-py' url = "https://www.cs.toronto.edu/~kriz/cifar-10-python.tar.gz" filename = "cifar-10-python.tar.gz" tgz_md5 = 'c58f30108f718f92721af3b95e74349a' train_list = [ ['data_batch_1', 'c99cafc152244af753f735de768cd75f'], ['data_batch_2', 'd4bba439e000b95fd0a9bffe97cbabec'], ['data_batch_3', '54ebc095f3ab1f0389bbae665268c751'], ['data_batch_4', '634d18415352ddfa80567beed471001a'], ['data_batch_5', '482c414d41f54cd18b22e5b47cb7c3cb'], ] test_list = [ ['test_batch', '40351d587109b95175f43aff81a1287e'], ] meta = { 'filename': 'batches.meta', 'key': 'label_names', 'md5': '5ff9c542aee3614f3951f8cda6e48888', } def __init__(self, root, train=True, transform=None, download=False): super(CIFAR10, self).__init__(root) self.transform = transform self.train = train # training set or test set if download: raise ValueError('cannot download.') exit() #self.download() #if not self._check_integrity(): # raise RuntimeError('Dataset not found or corrupted.' + # ' You can use download=True to download it') if self.train: downloaded_list = self.train_list else: downloaded_list = self.test_list self.data = [] self.targets = [] # now load the picked numpy arrays for file_name, checksum in downloaded_list: file_path = os.path.join(self.root, self.base_folder, file_name) with open(file_path, 'rb') as f: if sys.version_info[0] == 2: entry = pickle.load(f) else: entry = pickle.load(f, encoding='latin1') self.data.append(entry['data']) if 'labels' in entry: self.targets.extend(entry['labels']) else: self.targets.extend(entry['fine_labels']) self.data = np.vstack(self.data).reshape(-1, 3, 32, 32) self.data = self.data.transpose((0, 2, 3, 1)) # convert to HWC self._load_meta() def _load_meta(self): path = os.path.join(self.root, self.base_folder, self.meta['filename']) #if not check_integrity(path, self.meta['md5']): # raise RuntimeError('Dataset metadata file not found or corrupted.' + # ' You can use download=True to download it') with open(path, 'rb') as infile: if sys.version_info[0] == 2: data = pickle.load(infile) else: data = pickle.load(infile, encoding='latin1') self.classes = data[self.meta['key']] self.class_to_idx = {_class: i for i, _class in enumerate(self.classes)} def __getitem__(self, index): img, target = self.data[index], self.targets[index] if self.train: if np.random.rand() < 0.5: img = img[:,::-1,:] img0 = np.rot90(img, 0).copy() img0 = Image.fromarray(img0) img0 = self.transform(img0) img1 = np.rot90(img, 1).copy() img1 = Image.fromarray(img1) img1 = self.transform(img1) img2 = np.rot90(img, 2).copy() img2 = Image.fromarray(img2) img2 = self.transform(img2) img3 = np.rot90(img, 3).copy() img3 = Image.fromarray(img3) img3 = self.transform(img3) img = torch.stack([img0,img1,img2,img3]) return img, target def __len__(self): return len(self.data) def _check_integrity(self): root = self.root for fentry in (self.train_list + self.test_list): filename, md5 = fentry[0], fentry[1] fpath = os.path.join(root, self.base_folder, filename) if not check_integrity(fpath, md5): return False return True def download(self): import tarfile if self._check_integrity(): print('Files already downloaded and verified') return download_url(self.url, self.root, self.filename, self.tgz_md5) # extract file with tarfile.open(os.path.join(self.root, self.filename), "r:gz") as tar: tar.extractall(path=self.root) def extra_repr(self): return "Split: {}".format("Train" if self.train is True else "Test") class CIFAR100(CIFAR10): """`CIFAR100 <https://www.cs.toronto.edu/~kriz/cifar.html>`_ Dataset. This is a subclass of the `CIFAR10` Dataset. """ base_folder = 'cifar-100-python' url = "https://www.cs.toronto.edu/~kriz/cifar-100-python.tar.gz" filename = "cifar-100-python.tar.gz" tgz_md5 = 'eb9058c3a382ffc7106e4002c42a8d85' train_list = [ ['train', '16019d7e3df5f24257cddd939b257f8d'], ] test_list = [ ['test', 'f0ef6b0ae62326f3e7ffdfab6717acfc'], ] meta = { 'filename': 'meta', 'key': 'fine_label_names', 'md5': '7973b15100ade9c7d40fb424638fde48', }
7,139
31.752294
86
py
cGAN-KD
cGAN-KD-main/CIFAR-100/SSKD/models/resnet.py
from __future__ import absolute_import '''Resnet for cifar dataset. Ported form https://github.com/facebook/fb.resnet.torch and https://github.com/pytorch/vision/blob/master/torchvision/models/resnet.py (c) YANG, Wei ''' import torch.nn as nn import torch.nn.functional as F import math __all__ = ['resnet'] def conv3x3(in_planes, out_planes, stride=1): """3x3 convolution with padding""" return nn.Conv2d(in_planes, out_planes, kernel_size=3, stride=stride, padding=1, bias=False) class BasicBlock(nn.Module): expansion = 1 def __init__(self, inplanes, planes, stride=1, downsample=None, is_last=False): super(BasicBlock, self).__init__() self.is_last = is_last self.conv1 = conv3x3(inplanes, planes, stride) self.bn1 = nn.BatchNorm2d(planes) self.relu = nn.ReLU(inplace=True) self.conv2 = conv3x3(planes, planes) self.bn2 = nn.BatchNorm2d(planes) self.downsample = downsample self.stride = stride def forward(self, x): residual = x out = self.conv1(x) out = self.bn1(out) out = self.relu(out) out = self.conv2(out) out = self.bn2(out) if self.downsample is not None: residual = self.downsample(x) out += residual preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class Bottleneck(nn.Module): expansion = 4 def __init__(self, inplanes, planes, stride=1, downsample=None, is_last=False): super(Bottleneck, self).__init__() self.is_last = is_last self.conv1 = nn.Conv2d(inplanes, planes, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = nn.Conv2d(planes, planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(planes) self.conv3 = nn.Conv2d(planes, planes * 4, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(planes * 4) self.relu = nn.ReLU(inplace=True) self.downsample = downsample self.stride = stride def forward(self, x): residual = x out = self.conv1(x) out = self.bn1(out) out = self.relu(out) out = self.conv2(out) out = self.bn2(out) out = self.relu(out) out = self.conv3(out) out = self.bn3(out) if self.downsample is not None: residual = self.downsample(x) out += residual preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class ResNet(nn.Module): def __init__(self, depth, num_filters, block_name='BasicBlock', num_classes=10): super(ResNet, self).__init__() # Model type specifies number of layers for CIFAR-10 model if block_name.lower() == 'basicblock': assert (depth - 2) % 6 == 0, 'When use basicblock, depth should be 6n+2, e.g. 20, 32, 44, 56, 110, 1202' n = (depth - 2) // 6 block = BasicBlock elif block_name.lower() == 'bottleneck': assert (depth - 2) % 9 == 0, 'When use bottleneck, depth should be 9n+2, e.g. 20, 29, 47, 56, 110, 1199' n = (depth - 2) // 9 block = Bottleneck else: raise ValueError('block_name shoule be Basicblock or Bottleneck') self.inplanes = num_filters[0] self.conv1 = nn.Conv2d(3, num_filters[0], kernel_size=3, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(num_filters[0]) self.relu = nn.ReLU(inplace=True) self.layer1 = self._make_layer(block, num_filters[1], n) self.layer2 = self._make_layer(block, num_filters[2], n, stride=2) self.layer3 = self._make_layer(block, num_filters[3], n, stride=2) self.avgpool = nn.AvgPool2d(8) self.fc = nn.Linear(num_filters[3] * block.expansion, num_classes) for m in self.modules(): if isinstance(m, nn.Conv2d): nn.init.kaiming_normal_(m.weight, mode='fan_out', nonlinearity='relu') elif isinstance(m, (nn.BatchNorm2d, nn.GroupNorm)): nn.init.constant_(m.weight, 1) nn.init.constant_(m.bias, 0) def _make_layer(self, block, planes, blocks, stride=1): downsample = None if stride != 1 or self.inplanes != planes * block.expansion: downsample = nn.Sequential( nn.Conv2d(self.inplanes, planes * block.expansion, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(planes * block.expansion), ) layers = list([]) layers.append(block(self.inplanes, planes, stride, downsample, is_last=(blocks == 1))) self.inplanes = planes * block.expansion for i in range(1, blocks): layers.append(block(self.inplanes, planes, is_last=(i == blocks-1))) return nn.Sequential(*layers) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.relu) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) return feat_m def get_bn_before_relu(self): if isinstance(self.layer1[0], Bottleneck): bn1 = self.layer1[-1].bn3 bn2 = self.layer2[-1].bn3 bn3 = self.layer3[-1].bn3 elif isinstance(self.layer1[0], BasicBlock): bn1 = self.layer1[-1].bn2 bn2 = self.layer2[-1].bn2 bn3 = self.layer3[-1].bn2 else: raise NotImplementedError('ResNet unknown block error !!!') return [bn1, bn2, bn3] def forward(self, x, is_feat=False, preact=False): x = self.conv1(x) x = self.bn1(x) x = self.relu(x) # 32x32 f0 = x x, f1_pre = self.layer1(x) # 32x32 f1 = x x, f2_pre = self.layer2(x) # 16x16 f2 = x x, f3_pre = self.layer3(x) # 8x8 f3 = x x = self.avgpool(x) x = x.view(x.size(0), -1) f4 = x x = self.fc(x) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4], x else: return [f0, f1, f2, f3, f4], x else: return x def resnet8(**kwargs): return ResNet(8, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet14(**kwargs): return ResNet(14, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet20(**kwargs): return ResNet(20, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet14x05(**kwargs): return ResNet(14, [8, 8, 16, 32], 'basicblock', **kwargs) def resnet20x05(**kwargs): return ResNet(20, [8, 8, 16, 32], 'basicblock', **kwargs) def resnet20x0375(**kwargs): return ResNet(20, [6, 6, 12, 24], 'basicblock', **kwargs) def resnet32(**kwargs): return ResNet(32, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet44(**kwargs): return ResNet(44, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet56(**kwargs): return ResNet(56, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet110(**kwargs): return ResNet(110, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet8x4(**kwargs): return ResNet(8, [32, 64, 128, 256], 'basicblock', **kwargs) def resnet32x4(**kwargs): return ResNet(32, [32, 64, 128, 256], 'basicblock', **kwargs) if __name__ == '__main__': import torch x = torch.randn(2, 3, 32, 32) net = resnet8x4(num_classes=20) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
8,021
29.044944
116
py
cGAN-KD
cGAN-KD-main/CIFAR-100/SSKD/models/mobilenetv2.py
""" MobileNetV2 implementation used in <Knowledge Distillation via Route Constrained Optimization> """ import torch import torch.nn as nn import math __all__ = ['mobilenetv2_T_w', 'mobile_half'] BN = None def conv_bn(inp, oup, stride): return nn.Sequential( nn.Conv2d(inp, oup, 3, stride, 1, bias=False), nn.BatchNorm2d(oup), nn.ReLU(inplace=True) ) def conv_1x1_bn(inp, oup): return nn.Sequential( nn.Conv2d(inp, oup, 1, 1, 0, bias=False), nn.BatchNorm2d(oup), nn.ReLU(inplace=True) ) class InvertedResidual(nn.Module): def __init__(self, inp, oup, stride, expand_ratio): super(InvertedResidual, self).__init__() self.blockname = None self.stride = stride assert stride in [1, 2] self.use_res_connect = self.stride == 1 and inp == oup self.conv = nn.Sequential( # pw nn.Conv2d(inp, inp * expand_ratio, 1, 1, 0, bias=False), nn.BatchNorm2d(inp * expand_ratio), nn.ReLU(inplace=True), # dw nn.Conv2d(inp * expand_ratio, inp * expand_ratio, 3, stride, 1, groups=inp * expand_ratio, bias=False), nn.BatchNorm2d(inp * expand_ratio), nn.ReLU(inplace=True), # pw-linear nn.Conv2d(inp * expand_ratio, oup, 1, 1, 0, bias=False), nn.BatchNorm2d(oup), ) self.names = ['0', '1', '2', '3', '4', '5', '6', '7'] def forward(self, x): t = x if self.use_res_connect: return t + self.conv(x) else: return self.conv(x) class MobileNetV2(nn.Module): """mobilenetV2""" def __init__(self, T, feature_dim, input_size=32, width_mult=1., remove_avg=False): super(MobileNetV2, self).__init__() self.remove_avg = remove_avg # setting of inverted residual blocks self.interverted_residual_setting = [ # t, c, n, s [1, 16, 1, 1], [T, 24, 2, 1], [T, 32, 3, 2], [T, 64, 4, 2], [T, 96, 3, 1], [T, 160, 3, 2], [T, 320, 1, 1], ] # building first layer assert input_size % 32 == 0 input_channel = int(32 * width_mult) self.conv1 = conv_bn(3, input_channel, 2) # building inverted residual blocks self.blocks = nn.ModuleList([]) for t, c, n, s in self.interverted_residual_setting: output_channel = int(c * width_mult) layers = [] strides = [s] + [1] * (n - 1) for stride in strides: layers.append( InvertedResidual(input_channel, output_channel, stride, t) ) input_channel = output_channel self.blocks.append(nn.Sequential(*layers)) self.last_channel = int(1280 * width_mult) if width_mult > 1.0 else 1280 self.conv2 = conv_1x1_bn(input_channel, self.last_channel) H = input_size // (32//2) self.avgpool = nn.AvgPool2d(H, ceil_mode=True) # building classifier #self.classifier = nn.Sequential( # # nn.Dropout(0.5), # nn.Linear(self.last_channel, feature_dim), #) self.classifier = nn.Linear(self.last_channel, feature_dim) self._initialize_weights() print(T, width_mult) def get_bn_before_relu(self): bn1 = self.blocks[1][-1].conv[-1] bn2 = self.blocks[2][-1].conv[-1] bn3 = self.blocks[4][-1].conv[-1] bn4 = self.blocks[6][-1].conv[-1] return [bn1, bn2, bn3, bn4] def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.blocks) return feat_m def forward(self, x, is_feat=False, preact=False): out = self.conv1(x) f0 = out out = self.blocks[0](out) out = self.blocks[1](out) f1 = out out = self.blocks[2](out) f2 = out out = self.blocks[3](out) out = self.blocks[4](out) f3 = out out = self.blocks[5](out) out = self.blocks[6](out) f4 = out out = self.conv2(out) if not self.remove_avg: out = self.avgpool(out) out = out.view(out.size(0), -1) f5 = out out = self.classifier(out) if is_feat: return [f0, f1, f2, f3, f4, f5], out else: return out def _initialize_weights(self): for m in self.modules(): if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) if m.bias is not None: m.bias.data.zero_() elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() elif isinstance(m, nn.Linear): n = m.weight.size(1) m.weight.data.normal_(0, 0.01) m.bias.data.zero_() def mobilenetv2_T_w(T, W, feature_dim=100): model = MobileNetV2(T=T, feature_dim=feature_dim, width_mult=W) return model def mobile_half(num_classes): return mobilenetv2_T_w(6, 0.5, num_classes) if __name__ == '__main__': x = torch.randn(2, 3, 32, 32) net = mobile_half(100) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
5,777
27.323529
115
py
cGAN-KD
cGAN-KD-main/CIFAR-100/SSKD/models/vgg.py
'''VGG for CIFAR10. FC layers are removed. (c) YANG, Wei ''' import torch.nn as nn import torch.nn.functional as F import math __all__ = [ 'VGG', 'vgg11', 'vgg11_bn', 'vgg13', 'vgg13_bn', 'vgg16', 'vgg16_bn', 'vgg19_bn', 'vgg19', ] model_urls = { 'vgg11': 'https://download.pytorch.org/models/vgg11-bbd30ac9.pth', 'vgg13': 'https://download.pytorch.org/models/vgg13-c768596a.pth', 'vgg16': 'https://download.pytorch.org/models/vgg16-397923af.pth', 'vgg19': 'https://download.pytorch.org/models/vgg19-dcbb9e9d.pth', } class VGG(nn.Module): def __init__(self, cfg, batch_norm=False, num_classes=1000): super(VGG, self).__init__() self.block0 = self._make_layers(cfg[0], batch_norm, 3) self.block1 = self._make_layers(cfg[1], batch_norm, cfg[0][-1]) self.block2 = self._make_layers(cfg[2], batch_norm, cfg[1][-1]) self.block3 = self._make_layers(cfg[3], batch_norm, cfg[2][-1]) self.block4 = self._make_layers(cfg[4], batch_norm, cfg[3][-1]) self.pool0 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool1 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool2 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool3 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool4 = nn.AdaptiveAvgPool2d((1, 1)) # self.pool4 = nn.MaxPool2d(kernel_size=2, stride=2) self.classifier = nn.Linear(512, num_classes) self._initialize_weights() def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.block0) feat_m.append(self.pool0) feat_m.append(self.block1) feat_m.append(self.pool1) feat_m.append(self.block2) feat_m.append(self.pool2) feat_m.append(self.block3) feat_m.append(self.pool3) feat_m.append(self.block4) feat_m.append(self.pool4) return feat_m def get_bn_before_relu(self): bn1 = self.block1[-1] bn2 = self.block2[-1] bn3 = self.block3[-1] bn4 = self.block4[-1] return [bn1, bn2, bn3, bn4] def forward(self, x, is_feat=False, preact=False): h = x.shape[2] x = F.relu(self.block0(x)) f0 = x x = self.pool0(x) x = self.block1(x) f1_pre = x x = F.relu(x) f1 = x x = self.pool1(x) x = self.block2(x) f2_pre = x x = F.relu(x) f2 = x x = self.pool2(x) x = self.block3(x) f3_pre = x x = F.relu(x) f3 = x if h == 64: x = self.pool3(x) x = self.block4(x) f4_pre = x x = F.relu(x) f4 = x x = self.pool4(x) x = x.view(x.size(0), -1) f5 = x x = self.classifier(x) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4_pre, f5], x else: return [f0, f1, f2, f3, f4, f5], x else: return x @staticmethod def _make_layers(cfg, batch_norm=False, in_channels=3): layers = [] for v in cfg: if v == 'M': layers += [nn.MaxPool2d(kernel_size=2, stride=2)] else: conv2d = nn.Conv2d(in_channels, v, kernel_size=3, padding=1) if batch_norm: layers += [conv2d, nn.BatchNorm2d(v), nn.ReLU(inplace=True)] else: layers += [conv2d, nn.ReLU(inplace=True)] in_channels = v layers = layers[:-1] return nn.Sequential(*layers) def _initialize_weights(self): for m in self.modules(): if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) if m.bias is not None: m.bias.data.zero_() elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() elif isinstance(m, nn.Linear): n = m.weight.size(1) m.weight.data.normal_(0, 0.01) m.bias.data.zero_() cfg = { 'A': [[64], [128], [256, 256], [512, 512], [512, 512]], 'B': [[64, 64], [128, 128], [256, 256], [512, 512], [512, 512]], 'D': [[64, 64], [128, 128], [256, 256, 256], [512, 512, 512], [512, 512, 512]], 'E': [[64, 64], [128, 128], [256, 256, 256, 256], [512, 512, 512, 512], [512, 512, 512, 512]], 'S': [[64], [128], [256], [512], [512]], } def vgg8(**kwargs): """VGG 8-layer model (configuration "S") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['S'], **kwargs) return model def vgg8_bn(**kwargs): """VGG 8-layer model (configuration "S") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['S'], batch_norm=True, **kwargs) return model def vgg11(**kwargs): """VGG 11-layer model (configuration "A") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['A'], **kwargs) return model def vgg11_bn(**kwargs): """VGG 11-layer model (configuration "A") with batch normalization""" model = VGG(cfg['A'], batch_norm=True, **kwargs) return model def vgg13(**kwargs): """VGG 13-layer model (configuration "B") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['B'], **kwargs) return model def vgg13_bn(**kwargs): """VGG 13-layer model (configuration "B") with batch normalization""" model = VGG(cfg['B'], batch_norm=True, **kwargs) return model def vgg16(**kwargs): """VGG 16-layer model (configuration "D") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['D'], **kwargs) return model def vgg16_bn(**kwargs): """VGG 16-layer model (configuration "D") with batch normalization""" model = VGG(cfg['D'], batch_norm=True, **kwargs) return model def vgg19(**kwargs): """VGG 19-layer model (configuration "E") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['E'], **kwargs) return model def vgg19_bn(**kwargs): """VGG 19-layer model (configuration 'E') with batch normalization""" model = VGG(cfg['E'], batch_norm=True, **kwargs) return model if __name__ == '__main__': import torch x = torch.randn(2, 3, 32, 32) net = vgg19_bn(num_classes=100) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
6,971
28.417722
98
py
cGAN-KD
cGAN-KD-main/CIFAR-100/SSKD/models/classifier.py
from __future__ import print_function import torch.nn as nn ######################################### # ===== Classifiers ===== # ######################################### class LinearClassifier(nn.Module): def __init__(self, dim_in, n_label=10): super(LinearClassifier, self).__init__() self.net = nn.Linear(dim_in, n_label) def forward(self, x): return self.net(x) class NonLinearClassifier(nn.Module): def __init__(self, dim_in, n_label=10, p=0.1): super(NonLinearClassifier, self).__init__() self.net = nn.Sequential( nn.Linear(dim_in, 200), nn.Dropout(p=p), nn.BatchNorm1d(200), nn.ReLU(inplace=True), nn.Linear(200, n_label), ) def forward(self, x): return self.net(x)
819
21.777778
51
py
cGAN-KD
cGAN-KD-main/CIFAR-100/SSKD/models/resnetv2.py
'''ResNet in PyTorch. For Pre-activation ResNet, see 'preact_resnet.py'. Reference: [1] Kaiming He, Xiangyu Zhang, Shaoqing Ren, Jian Sun Deep Residual Learning for Image Recognition. arXiv:1512.03385 ''' import torch import torch.nn as nn import torch.nn.functional as F class BasicBlock(nn.Module): expansion = 1 def __init__(self, in_planes, planes, stride=1, is_last=False): super(BasicBlock, self).__init__() self.is_last = is_last self.conv1 = nn.Conv2d(in_planes, planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = nn.Conv2d(planes, planes, kernel_size=3, stride=1, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(planes) self.shortcut = nn.Sequential() if stride != 1 or in_planes != self.expansion * planes: self.shortcut = nn.Sequential( nn.Conv2d(in_planes, self.expansion * planes, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(self.expansion * planes) ) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = self.bn2(self.conv2(out)) out += self.shortcut(x) preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class Bottleneck(nn.Module): expansion = 4 def __init__(self, in_planes, planes, stride=1, is_last=False): super(Bottleneck, self).__init__() self.is_last = is_last self.conv1 = nn.Conv2d(in_planes, planes, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = nn.Conv2d(planes, planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(planes) self.conv3 = nn.Conv2d(planes, self.expansion * planes, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(self.expansion * planes) self.shortcut = nn.Sequential() if stride != 1 or in_planes != self.expansion * planes: self.shortcut = nn.Sequential( nn.Conv2d(in_planes, self.expansion * planes, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(self.expansion * planes) ) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = F.relu(self.bn2(self.conv2(out))) out = self.bn3(self.conv3(out)) out += self.shortcut(x) preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class ResNet(nn.Module): def __init__(self, block, num_blocks, num_classes=10, zero_init_residual=False): super(ResNet, self).__init__() self.in_planes = 64 self.conv1 = nn.Conv2d(3, 64, kernel_size=3, stride=1, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(64) self.layer1 = self._make_layer(block, 64, num_blocks[0], stride=1) self.layer2 = self._make_layer(block, 128, num_blocks[1], stride=2) self.layer3 = self._make_layer(block, 256, num_blocks[2], stride=2) self.layer4 = self._make_layer(block, 512, num_blocks[3], stride=2) self.avgpool = nn.AdaptiveAvgPool2d((1, 1)) self.linear = nn.Linear(512 * block.expansion, num_classes) for m in self.modules(): if isinstance(m, nn.Conv2d): nn.init.kaiming_normal_(m.weight, mode='fan_out', nonlinearity='relu') elif isinstance(m, (nn.BatchNorm2d, nn.GroupNorm)): nn.init.constant_(m.weight, 1) nn.init.constant_(m.bias, 0) # # Zero-initialize the last BN in each residual branch, # # so that the residual branch starts with zeros, and each residual block behaves like an identity. # # This improves the model by 0.2~0.3% according to https://arxiv.org/abs/1706.02677 # if zero_init_residual: # for m in self.modules(): # if isinstance(m, Bottleneck): # nn.init.constant_(m.bn3.weight, 0) # elif isinstance(m, BasicBlock): # nn.init.constant_(m.bn2.weight, 0) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) feat_m.append(self.layer4) return feat_m def get_bn_before_relu(self): if isinstance(self.layer1[0], Bottleneck): bn1 = self.layer1[-1].bn3 bn2 = self.layer2[-1].bn3 bn3 = self.layer3[-1].bn3 bn4 = self.layer4[-1].bn3 elif isinstance(self.layer1[0], BasicBlock): bn1 = self.layer1[-1].bn2 bn2 = self.layer2[-1].bn2 bn3 = self.layer3[-1].bn2 bn4 = self.layer4[-1].bn2 else: raise NotImplementedError('ResNet unknown block error !!!') return [bn1, bn2, bn3, bn4] def _make_layer(self, block, planes, num_blocks, stride): strides = [stride] + [1] * (num_blocks - 1) layers = [] for i in range(num_blocks): stride = strides[i] layers.append(block(self.in_planes, planes, stride, i == num_blocks - 1)) self.in_planes = planes * block.expansion return nn.Sequential(*layers) def forward(self, x, is_feat=False, preact=False): out = F.relu(self.bn1(self.conv1(x))) f0 = out out, f1_pre = self.layer1(out) f1 = out out, f2_pre = self.layer2(out) f2 = out out, f3_pre = self.layer3(out) f3 = out out, f4_pre = self.layer4(out) f4 = out out = self.avgpool(out) out = out.view(out.size(0), -1) f5 = out out = self.linear(out) if is_feat: if preact: return [[f0, f1_pre, f2_pre, f3_pre, f4_pre, f5], out] else: return [f0, f1, f2, f3, f4, f5], out else: return out def ResNet18(**kwargs): return ResNet(BasicBlock, [2, 2, 2, 2], **kwargs) def ResNet34(**kwargs): return ResNet(BasicBlock, [3, 4, 6, 3], **kwargs) def ResNet50(**kwargs): return ResNet(Bottleneck, [3, 4, 6, 3], **kwargs) def ResNet101(**kwargs): return ResNet(Bottleneck, [3, 4, 23, 3], **kwargs) def ResNet152(**kwargs): return ResNet(Bottleneck, [3, 8, 36, 3], **kwargs) if __name__ == '__main__': net = ResNet18(num_classes=100) x = torch.randn(2, 3, 32, 32) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
6,933
33.844221
108
py
cGAN-KD
cGAN-KD-main/CIFAR-100/SSKD/models/ShuffleNetv1.py
'''ShuffleNet in PyTorch. See the paper "ShuffleNet: An Extremely Efficient Convolutional Neural Network for Mobile Devices" for more details. ''' import torch import torch.nn as nn import torch.nn.functional as F class ShuffleBlock(nn.Module): def __init__(self, groups): super(ShuffleBlock, self).__init__() self.groups = groups def forward(self, x): '''Channel shuffle: [N,C,H,W] -> [N,g,C/g,H,W] -> [N,C/g,g,H,w] -> [N,C,H,W]''' N,C,H,W = x.size() g = self.groups return x.view(N,g,C//g,H,W).permute(0,2,1,3,4).reshape(N,C,H,W) class Bottleneck(nn.Module): def __init__(self, in_planes, out_planes, stride, groups, is_last=False): super(Bottleneck, self).__init__() self.is_last = is_last self.stride = stride mid_planes = int(out_planes/4) g = 1 if in_planes == 24 else groups self.conv1 = nn.Conv2d(in_planes, mid_planes, kernel_size=1, groups=g, bias=False) self.bn1 = nn.BatchNorm2d(mid_planes) self.shuffle1 = ShuffleBlock(groups=g) self.conv2 = nn.Conv2d(mid_planes, mid_planes, kernel_size=3, stride=stride, padding=1, groups=mid_planes, bias=False) self.bn2 = nn.BatchNorm2d(mid_planes) self.conv3 = nn.Conv2d(mid_planes, out_planes, kernel_size=1, groups=groups, bias=False) self.bn3 = nn.BatchNorm2d(out_planes) self.shortcut = nn.Sequential() if stride == 2: self.shortcut = nn.Sequential(nn.AvgPool2d(3, stride=2, padding=1)) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = self.shuffle1(out) out = F.relu(self.bn2(self.conv2(out))) out = self.bn3(self.conv3(out)) res = self.shortcut(x) preact = torch.cat([out, res], 1) if self.stride == 2 else out+res out = F.relu(preact) # out = F.relu(torch.cat([out, res], 1)) if self.stride == 2 else F.relu(out+res) if self.is_last: return out, preact else: return out class ShuffleNet(nn.Module): def __init__(self, cfg, num_classes=10): super(ShuffleNet, self).__init__() out_planes = cfg['out_planes'] num_blocks = cfg['num_blocks'] groups = cfg['groups'] self.conv1 = nn.Conv2d(3, 24, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(24) self.in_planes = 24 self.layer1 = self._make_layer(out_planes[0], num_blocks[0], groups) self.layer2 = self._make_layer(out_planes[1], num_blocks[1], groups) self.layer3 = self._make_layer(out_planes[2], num_blocks[2], groups) self.linear = nn.Linear(out_planes[2], num_classes) def _make_layer(self, out_planes, num_blocks, groups): layers = [] for i in range(num_blocks): stride = 2 if i == 0 else 1 cat_planes = self.in_planes if i == 0 else 0 layers.append(Bottleneck(self.in_planes, out_planes-cat_planes, stride=stride, groups=groups, is_last=(i == num_blocks - 1))) self.in_planes = out_planes return nn.Sequential(*layers) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) return feat_m def get_bn_before_relu(self): raise NotImplementedError('ShuffleNet currently is not supported for "Overhaul" teacher') def forward(self, x, is_feat=False, preact=False): out = F.relu(self.bn1(self.conv1(x))) f0 = out out, f1_pre = self.layer1(out) f1 = out out, f2_pre = self.layer2(out) f2 = out out, f3_pre = self.layer3(out) f3 = out out = F.avg_pool2d(out, 4) out = out.view(out.size(0), -1) f4 = out out = self.linear(out) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4], out else: return [f0, f1, f2, f3, f4], out else: return out def ShuffleV1(**kwargs): cfg = { 'out_planes': [240, 480, 960], 'num_blocks': [4, 8, 4], 'groups': 3 } return ShuffleNet(cfg, **kwargs) if __name__ == '__main__': x = torch.randn(2, 3, 32, 32) net = ShuffleV1(num_classes=100) import time a = time.time() feats, logit = net(x, is_feat=True, preact=True) b = time.time() print(b - a) for f in feats: print(f.shape, f.min().item()) print(logit.shape)
4,732
33.05036
126
py
cGAN-KD
cGAN-KD-main/CIFAR-100/SSKD/models/util.py
from __future__ import print_function import torch.nn as nn import math class Paraphraser(nn.Module): """Paraphrasing Complex Network: Network Compression via Factor Transfer""" def __init__(self, t_shape, k=0.5, use_bn=False): super(Paraphraser, self).__init__() in_channel = t_shape[1] out_channel = int(t_shape[1] * k) self.encoder = nn.Sequential( nn.Conv2d(in_channel, in_channel, 3, 1, 1), nn.BatchNorm2d(in_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), nn.Conv2d(in_channel, out_channel, 3, 1, 1), nn.BatchNorm2d(out_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), nn.Conv2d(out_channel, out_channel, 3, 1, 1), nn.BatchNorm2d(out_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), ) self.decoder = nn.Sequential( nn.ConvTranspose2d(out_channel, out_channel, 3, 1, 1), nn.BatchNorm2d(out_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), nn.ConvTranspose2d(out_channel, in_channel, 3, 1, 1), nn.BatchNorm2d(in_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), nn.ConvTranspose2d(in_channel, in_channel, 3, 1, 1), nn.BatchNorm2d(in_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), ) def forward(self, f_s, is_factor=False): factor = self.encoder(f_s) if is_factor: return factor rec = self.decoder(factor) return factor, rec class Translator(nn.Module): def __init__(self, s_shape, t_shape, k=0.5, use_bn=True): super(Translator, self).__init__() in_channel = s_shape[1] out_channel = int(t_shape[1] * k) self.encoder = nn.Sequential( nn.Conv2d(in_channel, in_channel, 3, 1, 1), nn.BatchNorm2d(in_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), nn.Conv2d(in_channel, out_channel, 3, 1, 1), nn.BatchNorm2d(out_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), nn.Conv2d(out_channel, out_channel, 3, 1, 1), nn.BatchNorm2d(out_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), ) def forward(self, f_s): return self.encoder(f_s) class Connector(nn.Module): """Connect for Knowledge Transfer via Distillation of Activation Boundaries Formed by Hidden Neurons""" def __init__(self, s_shapes, t_shapes): super(Connector, self).__init__() self.s_shapes = s_shapes self.t_shapes = t_shapes self.connectors = nn.ModuleList(self._make_conenctors(s_shapes, t_shapes)) @staticmethod def _make_conenctors(s_shapes, t_shapes): assert len(s_shapes) == len(t_shapes), 'unequal length of feat list' connectors = [] for s, t in zip(s_shapes, t_shapes): if s[1] == t[1] and s[2] == t[2]: connectors.append(nn.Sequential()) else: connectors.append(ConvReg(s, t, use_relu=False)) return connectors def forward(self, g_s): out = [] for i in range(len(g_s)): out.append(self.connectors[i](g_s[i])) return out class ConnectorV2(nn.Module): """A Comprehensive Overhaul of Feature Distillation (ICCV 2019)""" def __init__(self, s_shapes, t_shapes): super(ConnectorV2, self).__init__() self.s_shapes = s_shapes self.t_shapes = t_shapes self.connectors = nn.ModuleList(self._make_conenctors(s_shapes, t_shapes)) def _make_conenctors(self, s_shapes, t_shapes): assert len(s_shapes) == len(t_shapes), 'unequal length of feat list' t_channels = [t[1] for t in t_shapes] s_channels = [s[1] for s in s_shapes] connectors = nn.ModuleList([self._build_feature_connector(t, s) for t, s in zip(t_channels, s_channels)]) return connectors @staticmethod def _build_feature_connector(t_channel, s_channel): C = [nn.Conv2d(s_channel, t_channel, kernel_size=1, stride=1, padding=0, bias=False), nn.BatchNorm2d(t_channel)] for m in C: if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() return nn.Sequential(*C) def forward(self, g_s): out = [] for i in range(len(g_s)): out.append(self.connectors[i](g_s[i])) return out class ConvReg(nn.Module): """Convolutional regression for FitNet""" def __init__(self, s_shape, t_shape, use_relu=True): super(ConvReg, self).__init__() self.use_relu = use_relu s_N, s_C, s_H, s_W = s_shape t_N, t_C, t_H, t_W = t_shape if s_H == 2 * t_H: self.conv = nn.Conv2d(s_C, t_C, kernel_size=3, stride=2, padding=1) elif s_H * 2 == t_H: self.conv = nn.ConvTranspose2d(s_C, t_C, kernel_size=4, stride=2, padding=1) elif s_H >= t_H: self.conv = nn.Conv2d(s_C, t_C, kernel_size=(1+s_H-t_H, 1+s_W-t_W)) else: raise NotImplemented('student size {}, teacher size {}'.format(s_H, t_H)) self.bn = nn.BatchNorm2d(t_C) self.relu = nn.ReLU(inplace=True) def forward(self, x): x = self.conv(x) if self.use_relu: return self.relu(self.bn(x)) else: return self.bn(x) class Regress(nn.Module): """Simple Linear Regression for hints""" def __init__(self, dim_in=1024, dim_out=1024): super(Regress, self).__init__() self.linear = nn.Linear(dim_in, dim_out) self.relu = nn.ReLU(inplace=True) def forward(self, x): x = x.view(x.shape[0], -1) x = self.linear(x) x = self.relu(x) return x class Embed(nn.Module): """Embedding module""" def __init__(self, dim_in=1024, dim_out=128): super(Embed, self).__init__() self.linear = nn.Linear(dim_in, dim_out) self.l2norm = Normalize(2) def forward(self, x): x = x.view(x.shape[0], -1) x = self.linear(x) x = self.l2norm(x) return x class LinearEmbed(nn.Module): """Linear Embedding""" def __init__(self, dim_in=1024, dim_out=128): super(LinearEmbed, self).__init__() self.linear = nn.Linear(dim_in, dim_out) def forward(self, x): x = x.view(x.shape[0], -1) x = self.linear(x) return x class MLPEmbed(nn.Module): """non-linear embed by MLP""" def __init__(self, dim_in=1024, dim_out=128): super(MLPEmbed, self).__init__() self.linear1 = nn.Linear(dim_in, 2 * dim_out) self.relu = nn.ReLU(inplace=True) self.linear2 = nn.Linear(2 * dim_out, dim_out) self.l2norm = Normalize(2) def forward(self, x): x = x.view(x.shape[0], -1) x = self.relu(self.linear1(x)) x = self.l2norm(self.linear2(x)) return x class Normalize(nn.Module): """normalization layer""" def __init__(self, power=2): super(Normalize, self).__init__() self.power = power def forward(self, x): norm = x.pow(self.power).sum(1, keepdim=True).pow(1. / self.power) out = x.div(norm) return out class Flatten(nn.Module): """flatten module""" def __init__(self): super(Flatten, self).__init__() def forward(self, feat): return feat.view(feat.size(0), -1) class PoolEmbed(nn.Module): """pool and embed""" def __init__(self, layer=0, dim_out=128, pool_type='avg'): super().__init__() if layer == 0: pool_size = 8 nChannels = 16 elif layer == 1: pool_size = 8 nChannels = 16 elif layer == 2: pool_size = 6 nChannels = 32 elif layer == 3: pool_size = 4 nChannels = 64 elif layer == 4: pool_size = 1 nChannels = 64 else: raise NotImplementedError('layer not supported: {}'.format(layer)) self.embed = nn.Sequential() if layer <= 3: if pool_type == 'max': self.embed.add_module('MaxPool', nn.AdaptiveMaxPool2d((pool_size, pool_size))) elif pool_type == 'avg': self.embed.add_module('AvgPool', nn.AdaptiveAvgPool2d((pool_size, pool_size))) self.embed.add_module('Flatten', Flatten()) self.embed.add_module('Linear', nn.Linear(nChannels*pool_size*pool_size, dim_out)) self.embed.add_module('Normalize', Normalize(2)) def forward(self, x): return self.embed(x) if __name__ == '__main__': import torch g_s = [ torch.randn(2, 16, 16, 16), torch.randn(2, 32, 8, 8), torch.randn(2, 64, 4, 4), ] g_t = [ torch.randn(2, 32, 16, 16), torch.randn(2, 64, 8, 8), torch.randn(2, 128, 4, 4), ] s_shapes = [s.shape for s in g_s] t_shapes = [t.shape for t in g_t] net = ConnectorV2(s_shapes, t_shapes) out = net(g_s) for f in out: print(f.shape)
9,622
32.068729
107
py
cGAN-KD
cGAN-KD-main/CIFAR-100/SSKD/models/ShuffleNetv2.py
'''ShuffleNetV2 in PyTorch. See the paper "ShuffleNet V2: Practical Guidelines for Efficient CNN Architecture Design" for more details. ''' import torch import torch.nn as nn import torch.nn.functional as F class ShuffleBlock(nn.Module): def __init__(self, groups=2): super(ShuffleBlock, self).__init__() self.groups = groups def forward(self, x): '''Channel shuffle: [N,C,H,W] -> [N,g,C/g,H,W] -> [N,C/g,g,H,w] -> [N,C,H,W]''' N, C, H, W = x.size() g = self.groups return x.view(N, g, C//g, H, W).permute(0, 2, 1, 3, 4).reshape(N, C, H, W) class SplitBlock(nn.Module): def __init__(self, ratio): super(SplitBlock, self).__init__() self.ratio = ratio def forward(self, x): c = int(x.size(1) * self.ratio) return x[:, :c, :, :], x[:, c:, :, :] class BasicBlock(nn.Module): def __init__(self, in_channels, split_ratio=0.5, is_last=False): super(BasicBlock, self).__init__() self.is_last = is_last self.split = SplitBlock(split_ratio) in_channels = int(in_channels * split_ratio) self.conv1 = nn.Conv2d(in_channels, in_channels, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(in_channels) self.conv2 = nn.Conv2d(in_channels, in_channels, kernel_size=3, stride=1, padding=1, groups=in_channels, bias=False) self.bn2 = nn.BatchNorm2d(in_channels) self.conv3 = nn.Conv2d(in_channels, in_channels, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(in_channels) self.shuffle = ShuffleBlock() def forward(self, x): x1, x2 = self.split(x) out = F.relu(self.bn1(self.conv1(x2))) out = self.bn2(self.conv2(out)) preact = self.bn3(self.conv3(out)) out = F.relu(preact) # out = F.relu(self.bn3(self.conv3(out))) preact = torch.cat([x1, preact], 1) out = torch.cat([x1, out], 1) out = self.shuffle(out) if self.is_last: return out, preact else: return out class DownBlock(nn.Module): def __init__(self, in_channels, out_channels): super(DownBlock, self).__init__() mid_channels = out_channels // 2 # left self.conv1 = nn.Conv2d(in_channels, in_channels, kernel_size=3, stride=2, padding=1, groups=in_channels, bias=False) self.bn1 = nn.BatchNorm2d(in_channels) self.conv2 = nn.Conv2d(in_channels, mid_channels, kernel_size=1, bias=False) self.bn2 = nn.BatchNorm2d(mid_channels) # right self.conv3 = nn.Conv2d(in_channels, mid_channels, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(mid_channels) self.conv4 = nn.Conv2d(mid_channels, mid_channels, kernel_size=3, stride=2, padding=1, groups=mid_channels, bias=False) self.bn4 = nn.BatchNorm2d(mid_channels) self.conv5 = nn.Conv2d(mid_channels, mid_channels, kernel_size=1, bias=False) self.bn5 = nn.BatchNorm2d(mid_channels) self.shuffle = ShuffleBlock() def forward(self, x): # left out1 = self.bn1(self.conv1(x)) out1 = F.relu(self.bn2(self.conv2(out1))) # right out2 = F.relu(self.bn3(self.conv3(x))) out2 = self.bn4(self.conv4(out2)) out2 = F.relu(self.bn5(self.conv5(out2))) # concat out = torch.cat([out1, out2], 1) out = self.shuffle(out) return out class ShuffleNetV2(nn.Module): def __init__(self, net_size, num_classes=10): super(ShuffleNetV2, self).__init__() out_channels = configs[net_size]['out_channels'] num_blocks = configs[net_size]['num_blocks'] # self.conv1 = nn.Conv2d(3, 24, kernel_size=3, # stride=1, padding=1, bias=False) self.conv1 = nn.Conv2d(3, 24, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(24) self.in_channels = 24 self.layer1 = self._make_layer(out_channels[0], num_blocks[0]) self.layer2 = self._make_layer(out_channels[1], num_blocks[1]) self.layer3 = self._make_layer(out_channels[2], num_blocks[2]) self.conv2 = nn.Conv2d(out_channels[2], out_channels[3], kernel_size=1, stride=1, padding=0, bias=False) self.bn2 = nn.BatchNorm2d(out_channels[3]) self.linear = nn.Linear(out_channels[3], num_classes) def _make_layer(self, out_channels, num_blocks): layers = [DownBlock(self.in_channels, out_channels)] for i in range(num_blocks): layers.append(BasicBlock(out_channels, is_last=(i == num_blocks - 1))) self.in_channels = out_channels return nn.Sequential(*layers) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) return feat_m def get_bn_before_relu(self): raise NotImplementedError('ShuffleNetV2 currently is not supported for "Overhaul" teacher') def forward(self, x, is_feat=False, preact=False): out = F.relu(self.bn1(self.conv1(x))) # out = F.max_pool2d(out, 3, stride=2, padding=1) f0 = out out, f1_pre = self.layer1(out) f1 = out out, f2_pre = self.layer2(out) f2 = out out, f3_pre = self.layer3(out) f3 = out out = F.relu(self.bn2(self.conv2(out))) out = F.avg_pool2d(out, 4) out = out.view(out.size(0), -1) f4 = out out = self.linear(out) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4], out else: return [f0, f1, f2, f3, f4], out else: return out configs = { 0.2: { 'out_channels': (40, 80, 160, 512), 'num_blocks': (3, 3, 3) }, 0.3: { 'out_channels': (40, 80, 160, 512), 'num_blocks': (3, 7, 3) }, 0.5: { 'out_channels': (48, 96, 192, 1024), 'num_blocks': (3, 7, 3) }, 1: { 'out_channels': (116, 232, 464, 1024), 'num_blocks': (3, 7, 3) }, 1.5: { 'out_channels': (176, 352, 704, 1024), 'num_blocks': (3, 7, 3) }, 2: { 'out_channels': (224, 488, 976, 2048), 'num_blocks': (3, 7, 3) } } def ShuffleV2(**kwargs): model = ShuffleNetV2(net_size=1, **kwargs) return model if __name__ == '__main__': net = ShuffleV2(num_classes=100) x = torch.randn(3, 3, 32, 32) import time a = time.time() feats, logit = net(x, is_feat=True, preact=True) b = time.time() print(b - a) for f in feats: print(f.shape, f.min().item()) print(logit.shape)
7,074
32.530806
107
py
cGAN-KD
cGAN-KD-main/CIFAR-100/SSKD/models/wrn.py
import math import torch import torch.nn as nn import torch.nn.functional as F """ Original Author: Wei Yang """ __all__ = ['wrn'] class BasicBlock(nn.Module): def __init__(self, in_planes, out_planes, stride, dropRate=0.0): super(BasicBlock, self).__init__() self.bn1 = nn.BatchNorm2d(in_planes) self.relu1 = nn.ReLU(inplace=True) self.conv1 = nn.Conv2d(in_planes, out_planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(out_planes) self.relu2 = nn.ReLU(inplace=True) self.conv2 = nn.Conv2d(out_planes, out_planes, kernel_size=3, stride=1, padding=1, bias=False) self.droprate = dropRate self.equalInOut = (in_planes == out_planes) self.convShortcut = (not self.equalInOut) and nn.Conv2d(in_planes, out_planes, kernel_size=1, stride=stride, padding=0, bias=False) or None def forward(self, x): if not self.equalInOut: x = self.relu1(self.bn1(x)) else: out = self.relu1(self.bn1(x)) out = self.relu2(self.bn2(self.conv1(out if self.equalInOut else x))) if self.droprate > 0: out = F.dropout(out, p=self.droprate, training=self.training) out = self.conv2(out) return torch.add(x if self.equalInOut else self.convShortcut(x), out) class NetworkBlock(nn.Module): def __init__(self, nb_layers, in_planes, out_planes, block, stride, dropRate=0.0): super(NetworkBlock, self).__init__() self.layer = self._make_layer(block, in_planes, out_planes, nb_layers, stride, dropRate) def _make_layer(self, block, in_planes, out_planes, nb_layers, stride, dropRate): layers = [] for i in range(nb_layers): layers.append(block(i == 0 and in_planes or out_planes, out_planes, i == 0 and stride or 1, dropRate)) return nn.Sequential(*layers) def forward(self, x): return self.layer(x) class WideResNet(nn.Module): def __init__(self, depth, num_classes, widen_factor=1, dropRate=0.0): super(WideResNet, self).__init__() nChannels = [16, 16*widen_factor, 32*widen_factor, 64*widen_factor] assert (depth - 4) % 6 == 0, 'depth should be 6n+4' n = (depth - 4) // 6 block = BasicBlock # 1st conv before any network block self.conv1 = nn.Conv2d(3, nChannels[0], kernel_size=3, stride=1, padding=1, bias=False) # 1st block self.block1 = NetworkBlock(n, nChannels[0], nChannels[1], block, 1, dropRate) # 2nd block self.block2 = NetworkBlock(n, nChannels[1], nChannels[2], block, 2, dropRate) # 3rd block self.block3 = NetworkBlock(n, nChannels[2], nChannels[3], block, 2, dropRate) # global average pooling and classifier self.bn1 = nn.BatchNorm2d(nChannels[3]) self.relu = nn.ReLU(inplace=True) self.fc = nn.Linear(nChannels[3], num_classes) self.nChannels = nChannels[3] for m in self.modules(): if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() elif isinstance(m, nn.Linear): m.bias.data.zero_() def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.block1) feat_m.append(self.block2) feat_m.append(self.block3) return feat_m def get_bn_before_relu(self): bn1 = self.block2.layer[0].bn1 bn2 = self.block3.layer[0].bn1 bn3 = self.bn1 return [bn1, bn2, bn3] def forward(self, x, is_feat=False, preact=False): out = self.conv1(x) f0 = out out = self.block1(out) f1 = out out = self.block2(out) f2 = out out = self.block3(out) f3 = out out = self.relu(self.bn1(out)) out = F.avg_pool2d(out, 8) out = out.view(-1, self.nChannels) f4 = out out = self.fc(out) if is_feat: if preact: f1 = self.block2.layer[0].bn1(f1) f2 = self.block3.layer[0].bn1(f2) f3 = self.bn1(f3) return [f0, f1, f2, f3, f4], out else: return out def wrn(**kwargs): """ Constructs a Wide Residual Networks. """ model = WideResNet(**kwargs) return model def wrn_40_2(**kwargs): model = WideResNet(depth=40, widen_factor=2, **kwargs) return model def wrn_40_1(**kwargs): model = WideResNet(depth=40, widen_factor=1, **kwargs) return model def wrn_16_2(**kwargs): model = WideResNet(depth=16, widen_factor=2, **kwargs) return model def wrn_16_1(**kwargs): model = WideResNet(depth=16, widen_factor=1, **kwargs) return model if __name__ == '__main__': import torch x = torch.randn(2, 3, 32, 32) net = wrn_40_2(num_classes=100) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
5,519
31.280702
116
py
cGAN-KD
cGAN-KD-main/CIFAR-100/ReviewKD/train.py
import pdb import time import argparse import numpy as np from tqdm import tqdm import os import torch import torch.nn as nn import torch.nn.functional as F from torch.autograd import Variable import torch.backends.cudnn as cudnn from torch.optim.lr_scheduler import MultiStepLR from torch.optim.lr_scheduler import CosineAnnealingLR from torchvision.utils import make_grid from torchvision import datasets, transforms parser = argparse.ArgumentParser(description='CNN') parser.add_argument('--root_path', type=str, default='') parser.add_argument('--data_path', type=str, default='') parser.add_argument('--mode', type=str, default='') parser.add_argument('--dataset', '-d', default='cifar100', ) parser.add_argument('--model', '-a', default='resnet18', ) parser.add_argument('--batch_size', type=int, default=64) parser.add_argument('--epochs', type=int, default=240, help='number of epochs to train (default: 20)') parser.add_argument('--lr', type=float, default=0.05, help='learning rate') parser.add_argument('--gamma', type=float, default=0.1, help='learning rate decay ratio') parser.add_argument('--lr_adjust_step', default=[150, 180, 210], type=int, nargs='+', help='initial learning rate') parser.add_argument('--wd', type=float, default=5e-4, help='weight decay') parser.add_argument('--seed', type=int, default=0, help='random seed (default: 0)') parser.add_argument('--teacher', type=str, default='', help='teacher model') parser.add_argument('--teacher-weight', type=str, default='', help='teacher model weight path') parser.add_argument('--kd-loss-weight', type=float, default=1.0, help='review kd loss weight') parser.add_argument('--kd-warm-up', type=float, default=20.0, help='feature konwledge distillation loss weight warm up epochs') parser.add_argument('--use-kl', action='store_true', default=False, help='use kl kd loss') parser.add_argument('--kl-loss-weight', type=float, default=1.0, help='kl konwledge distillation loss weight') parser.add_argument('-T', type=float, default=4.0, help='knowledge distillation loss temperature') parser.add_argument('--ce-loss-weight', type=float, default=1.0, help='cross entropy loss weight') args = parser.parse_args() assert torch.cuda.is_available() cudnn.deterministic = True cudnn.benchmark = False if args.seed == 0: args.seed = np.random.randint(1000) torch.manual_seed(args.seed) np.random.seed(args.seed) torch.cuda.manual_seed(args.seed) from util.misc import * from util.kd import DistillKL from model.resnet import ResNet18, ResNet50 from model.resnet_cifar import build_resnet_backbone, build_resnetx4_backbone from model.resnetv2_cifar import ResNet50 from model.vgg import vgg_dict from model.mobilenetv2 import mobile_half from model.shufflenetv1 import ShuffleV1 from model.shufflenetv2 import ShuffleV2 from model.wide_resnet_cifar import wrn from model.wide_resnet import WideResNet from model.reviewkd import build_review_kd, hcl output_directory = os.path.join(args.root_path, "output") os.makedirs(output_directory, exist_ok=True) log_directory = os.path.join(output_directory, "{}/log".format(args.mode)) os.makedirs(log_directory, exist_ok=True) ckpt_directory = os.path.join(output_directory, "{}/models".format(args.mode)) os.makedirs(ckpt_directory, exist_ok=True) if args.mode=="vanilla": test_id = "{}_epoch_{}_last".format(args.model, args.epochs) elif args.mode=="distill": test_id = "S_{}_T_{}_epoch_{}_last".format(args.model, args.teacher, args.epochs) else: raise Exception("Wrong mode!!!") log_filename = os.path.join(log_directory, "log_{}.txt".format(test_id)) logger = Logger(args=args, filename=log_filename) print(args) with open(log_filename, 'a') as f: f.write("\n===================================================================================================\n") # Image Preprocessing normalize = transforms.Normalize(mean=[x / 255.0 for x in [125.3, 123.0, 113.9]], std=[x / 255.0 for x in [63.0, 62.1, 66.7]]) train_transform = transforms.Compose([]) train_transform.transforms.append(transforms.RandomCrop(32, padding=4)) train_transform.transforms.append(transforms.RandomHorizontalFlip()) train_transform.transforms.append(transforms.ToTensor()) train_transform.transforms.append(normalize) test_transform = transforms.Compose([ transforms.ToTensor(), normalize]) # dataset # if args.dataset == 'cifar10': # num_classes = 10 # train_dataset = datasets.CIFAR10(root='data/',train=True,transform=train_transform,download=True) # test_dataset = datasets.CIFAR10(root='data/',train=False,transform=test_transform,download=True) # elif args.dataset == 'cifar100': # num_classes = 100 # train_dataset = datasets.CIFAR100(root='data/',train=True,transform=train_transform,download=True) # test_dataset = datasets.CIFAR100(root='data/',train=False,transform=test_transform,download=True) # else: # assert False num_classes = 100 train_dataset = datasets.CIFAR100(root=args.data_path,train=True,transform=train_transform,download=True) test_dataset = datasets.CIFAR100(root=args.data_path,train=False,transform=test_transform,download=True) train_loader = torch.utils.data.DataLoader(dataset=train_dataset, batch_size=args.batch_size, shuffle=True, pin_memory=True) test_loader = torch.utils.data.DataLoader(dataset=test_dataset,batch_size=args.batch_size, shuffle=False,pin_memory=True) # teacher model if 'x4' in args.teacher: teacher = build_resnetx4_backbone(depth = int(args.teacher[6:-2]), num_classes=num_classes) elif 'resnet' in args.teacher: teacher = build_resnet_backbone(depth = int(args.teacher[6:]), num_classes=num_classes) elif 'ResNet50' in args.teacher: teacher = ResNet50(num_classes=num_classes) elif 'vgg' in args.teacher: teacher = vgg_dict[args.teacher](num_classes=num_classes) elif 'mobile' in args.teacher: teacher = mobile_half(num_classes=num_classes) elif 'wrn' in args.teacher: teacher = wrn(depth = int(args.teacher[4:6]), widen_factor = int(args.teacher[-1:]), num_classes=num_classes) elif args.teacher == '': teacher = None else: assert False if teacher is not None: load_teacher_weight(teacher, args.teacher_weight, args.teacher) teacher = teacher.cuda() # model if teacher is not None: cnn = build_review_kd(args.model, num_classes=num_classes, teacher = args.teacher) elif 'x4' in args.model: cnn = build_resnetx4_backbone(depth = int(args.model[6:-2]), num_classes=num_classes) elif 'resnet' in args.model: cnn = build_resnet_backbone(depth = int(args.model[6:]), num_classes=num_classes) elif 'ResNet50' in args.model: cnn = ResNet50(num_classes=num_classes) elif 'vgg' in args.model: cnn = vgg_dict[args.model](num_classes=num_classes) elif 'Mobile' in args.model: cnn = mobile_half(num_classes=num_classes) elif 'ShuffleV1' in args.model: cnn = ShuffleV1(num_classes=num_classes) elif 'ShuffleV2' in args.model: cnn = ShuffleV2(num_classes=num_classes) elif 'wrn' in args.model: cnn = wrn(depth = int(args.model[4:6]), widen_factor = int(args.model[-1:]), num_classes=num_classes) elif args.model == 'wideresnet': cnn = WideResNet(depth=28, num_classes=num_classes, widen_factor=10, dropRate=0.3) else: assert False if 'Shuffle' in args.model or 'Mobile' in args.model: # args.lr = 0.02 ## ReviewKD args.lr = 0.01 ## to be consistent with RepDistiller trainable_parameters = nn.ModuleList() trainable_parameters.append(cnn) criterion = nn.CrossEntropyLoss().cuda() kl_criterion = DistillKL(args.T) wd = args.wd lr = args.lr cnn_optimizer = torch.optim.SGD(trainable_parameters.parameters(), lr=args.lr, momentum=0.9, nesterov=True, weight_decay=wd) # test def test(loader): cnn.eval() # Change model to 'eval' mode (BN uses moving mean/var). correct = 0. total = 0. for images, labels in loader: images, labels = images.cuda(), labels.cuda() with torch.no_grad(): pred = cnn(images) if teacher is not None: fs, pred = pred pred = torch.max(pred.data, 1)[1] total += labels.size(0) correct += (pred == labels).sum().item() val_acc = correct / total cnn.train() return val_acc ckpt_cnn_filename = os.path.join(ckpt_directory, 'ckpt_{}.pth'.format(test_id)) print('\n ' + ckpt_cnn_filename) if not os.path.isfile(ckpt_cnn_filename): # train best_acc = 0.0 st_time = time.time() for epoch in range(args.epochs): loss_avg = {} correct = 0. total = 0. cnt_ft = {} for i, (images, labels) in enumerate(train_loader): images, labels = images.cuda(), labels.cuda() cnn.zero_grad() losses = {} if teacher is not None: s_features, pred = cnn(images) t_features, t_pred = teacher(images, is_feat = True, preact=True) t_features = t_features[1:] feature_kd_loss = hcl(s_features, t_features) losses['review_kd_loss'] = feature_kd_loss * min(1, epoch/args.kd_warm_up) * args.kd_loss_weight if args.use_kl: losses['kl_kd_loss'] = kl_criterion(pred, t_pred) * args.kl_loss_weight else: pred = cnn(images) xentropy_loss = criterion(pred, labels) losses['cls_loss'] = xentropy_loss * args.ce_loss_weight loss = sum(losses.values()) loss.backward() cnn_optimizer.step() for key in losses: if not key in loss_avg: loss_avg[key] = AverageMeter() else: loss_avg[key].update(losses[key]) # Calculate running average of accuracy pred = torch.max(pred.data, 1)[1] total += labels.size(0) correct += (pred == labels.data).sum().item() accuracy = correct / total test_acc = test(test_loader) if test_acc > best_acc: best_acc = test_acc lr = lr_schedule(lr, epoch, cnn_optimizer, args) loss_avg = {k: loss_avg[k].val for k in loss_avg} row = { 'epoch': str(epoch), 'train_acc': '%.2f'%(accuracy*100), 'test_acc': '%.2f'%(test_acc*100), 'best_acc': '%.2f'%(best_acc*100), 'lr': '%.5f'%(lr), 'loss': '%.5f'%(sum(loss_avg.values())), } loss_avg = {k: '%.5f'%loss_avg[k] for k in loss_avg} row.update(loss_avg) row.update({ 'time': format_time(time.time()-st_time), 'eta': format_time((time.time()-st_time)/(epoch+1)*(args.epochs-epoch-1)), }) print(row) logger.writerow(row) ##end for epoch torch.save({ 'model': cnn.state_dict(), }, ckpt_cnn_filename) logger.close() else: print("\n Loading pretrained model...") cnn.load_state_dict(torch.load(ckpt_cnn_filename)['model']) cnn = cnn.cuda() val_acc = test(test_loader)*100.0 print(val_acc) with open(log_filename, 'a') as f: f.write("\n===================================================================================================") eval_results_fullpath = ckpt_directory + "/test_result_" + test_id + ".txt" if not os.path.isfile(eval_results_fullpath): eval_results_logging_file = open(eval_results_fullpath, "w") eval_results_logging_file.close() with open(eval_results_fullpath, 'a') as eval_results_logging_file: eval_results_logging_file.write("\n===================================================================================================") eval_results_logging_file.write("\n Test results for {} \n".format(test_id)) print(args, file=eval_results_logging_file) eval_results_logging_file.write("\n Test accuracy: Top1 {:.3f}.".format(val_acc)) eval_results_logging_file.write("\n Test error rate: Top1 {:.3f}.".format(100-val_acc))
12,496
38.175549
140
py
cGAN-KD
cGAN-KD-main/CIFAR-100/ReviewKD/util/kd.py
import torch.nn.functional as F from torch import nn class DistillKL(nn.Module): """Distilling the Knowledge in a Neural Network""" def __init__(self, T): super(DistillKL, self).__init__() self.T = T def forward(self, y_s, y_t): p_s = F.log_softmax(y_s/self.T, dim=1) p_t = F.softmax(y_t/self.T, dim=1) loss = F.kl_div(p_s, p_t, reduction='sum') * (self.T**2) / y_s.shape[0] return loss
450
27.1875
79
py
cGAN-KD
cGAN-KD-main/CIFAR-100/ReviewKD/util/misc.py
import torch def format_time(seconds): days = int(seconds / 3600/24) seconds = seconds - days*3600*24 hours = int(seconds / 3600) seconds = seconds - hours*3600 minutes = int(seconds / 60) seconds = seconds - minutes*60 secondsf = int(seconds) seconds = seconds - secondsf millis = int(seconds*1000) f = '' i = 1 if days > 0: f += str(days) + 'D' i += 1 if hours > 0 and i <= 2: f += str(hours) + 'h' i += 1 if minutes > 0 and i <= 2: f += str(minutes) + 'm' i += 1 if secondsf > 0 and i <= 2: f += str(secondsf) + 's' i += 1 if millis > 0 and i <= 2: f += str(millis) + 'ms' i += 1 if f == '': f = '0ms' return f class AverageMeter(object): """Computes and stores the average and current value Imported from https://github.com/pytorch/examples/blob/master/imagenet/main.py#L247-L262 """ def __init__(self): self.reset() def reset(self): self.val = 0 self.avg = 0 self.sum = 0 self.count = 0 def update(self, val, n=1): self.val = val self.sum += val * n self.count += n self.avg = self.sum / self.count def lr_schedule(lr, epoch, optim, args): if epoch in args.lr_adjust_step: lr *= args.gamma for param_group in optim.param_groups: param_group['lr']=lr return lr class Logger(): def __init__(self, args, filename='log.txt'): self.filename = filename self.file = open(filename, 'a') # Write model configuration at top of file for arg in vars(args): self.file.write(arg+': '+str(getattr(args, arg))+'\n') self.file.flush() def writerow(self, row): for k in row: self.file.write(k+': '+row[k]+' ') self.file.write('\n') self.file.flush() def close(self): self.file.close() def load_teacher_weight(teacher, teacher_weight, teacher_model): print("\n Loading pre-trained teacher ckpt...") weight = torch.load(teacher_weight) teacher.load_state_dict(weight["model"]) for p in teacher.parameters(): p.requires_grad = False
2,250
24.579545
95
py
cGAN-KD
cGAN-KD-main/CIFAR-100/ReviewKD/model/reviewkd.py
import math import pdb import torch.nn.functional as F from torch import nn import torch #from .mobilenetv2 import mobile_half from .shufflenetv1 import ShuffleV1 from .shufflenetv2 import ShuffleV2 from .resnet_cifar import build_resnet_backbone, build_resnetx4_backbone from .vgg import vgg_dict from .wide_resnet_cifar import wrn from .mobilenetv2 import mobile_half import torch from torch import nn import torch.nn.functional as F # from .resnet import * from .resnetv2_cifar import ResNet50 class ABF(nn.Module): def __init__(self, in_channel, mid_channel, out_channel, fuse): super(ABF, self).__init__() self.conv1 = nn.Sequential( nn.Conv2d(in_channel, mid_channel, kernel_size=1, bias=False), nn.BatchNorm2d(mid_channel), ) self.conv2 = nn.Sequential( nn.Conv2d(mid_channel, out_channel,kernel_size=3,stride=1,padding=1,bias=False), nn.BatchNorm2d(out_channel), ) if fuse: self.att_conv = nn.Sequential( nn.Conv2d(mid_channel*2, 2, kernel_size=1), nn.Sigmoid(), ) else: self.att_conv = None nn.init.kaiming_uniform_(self.conv1[0].weight, a=1) # pyre-ignore nn.init.kaiming_uniform_(self.conv2[0].weight, a=1) # pyre-ignore def forward(self, x, y=None, shape=None, out_shape=None): n,_,h,w = x.shape # transform student features x = self.conv1(x) if self.att_conv is not None: # upsample residual features y = F.interpolate(y, (shape,shape), mode="nearest") # fusion z = torch.cat([x, y], dim=1) z = self.att_conv(z) x = (x * z[:,0].view(n,1,h,w) + y * z[:,1].view(n,1,h,w)) # output if x.shape[-1] != out_shape: x = F.interpolate(x, (out_shape, out_shape), mode="nearest") y = self.conv2(x) return y, x class ReviewKD(nn.Module): def __init__( self, student, in_channels, out_channels, shapes, out_shapes, ): super(ReviewKD, self).__init__() self.student = student self.shapes = shapes self.out_shapes = shapes if out_shapes is None else out_shapes abfs = nn.ModuleList() mid_channel = min(512, in_channels[-1]) for idx, in_channel in enumerate(in_channels): abfs.append(ABF(in_channel, mid_channel, out_channels[idx], idx < len(in_channels)-1)) self.abfs = abfs[::-1] self.to('cuda') def forward(self, x): student_features = self.student(x,is_feat=True) logit = student_features[1] x = student_features[0][::-1] results = [] out_features, res_features = self.abfs[0](x[0], out_shape=self.out_shapes[0]) results.append(out_features) for features, abf, shape, out_shape in zip(x[1:], self.abfs[1:], self.shapes[1:], self.out_shapes[1:]): out_features, res_features = abf(features, res_features, shape, out_shape) results.insert(0, out_features) return results, logit def build_review_kd(model, num_classes, teacher = ''): out_shapes = None if 'x4' in model: student = build_resnetx4_backbone(depth = int(model[6:-2]), num_classes = num_classes) in_channels = [64,128,256,256] out_channels = [64,128,256,256] shapes = [1,8,16,32] elif 'ResNet50' in model: student = ResNet50(num_classes = num_classes) in_channels = [16,32,64,64] out_channels = [16,32,64,64] shapes = [1,8,16,32,32] assert False elif 'resnet' in model: student = build_resnet_backbone(depth = int(model[6:]), num_classes = num_classes) in_channels = [16,32,64,64] out_channels = [16,32,64,64] shapes = [1,8,16,32,32] elif 'vgg' in model: student = vgg_dict[model](num_classes=num_classes) # build_vgg_backbone(depth = int(model[3:]), num_classes = num_classes) in_channels = [128,256,512,512,512] shapes = [1,4,4,8,16] if 'ResNet50' in teacher: out_channels = [256,512,1024,2048,2048] out_shapes = [1,4,8,16,32] else: out_channels = [128,256,512,512,512] elif 'Mobile' in model: student = mobile_half(num_classes = num_classes) in_channels = [12,16,48,160,1280] shapes = [1,2,4,8,16] if 'ResNet50' in teacher: out_channels = [256,512,1024,2048,2048] out_shapes = [1,4,8,16,32] else: out_channels = [128,256,512,512,512] out_shapes = [1,4,4,8,16] elif 'ShuffleV1' in model: student = ShuffleV1(num_classes = num_classes) in_channels = [240,480,960,960] shapes = [1,4,8,16] if 'wrn' in teacher: out_channels = [32,64,128,128] out_shapes = [1,8,16,32] else: out_channels = [64,128,256,256] out_shapes = [1,8,16,32] elif 'ShuffleV2' in model: student = ShuffleV2(num_classes = num_classes) in_channels = [116,232,464,1024] shapes = [1,4,8,16] out_channels = [64,128,256,256] out_shapes = [1,8,16,32] elif 'wrn' in model: student = wrn(depth=int(model[4:6]), widen_factor=int(model[-1:]), num_classes=num_classes) r=int(model[-1:]) in_channels = [16*r,32*r,64*r,64*r] out_channels = [32,64,128,128] shapes = [1,8,16,32] else: assert False backbone = ReviewKD( student=student, in_channels=in_channels, out_channels=out_channels, shapes = shapes, out_shapes = out_shapes ) return backbone def hcl(fstudent, fteacher): loss_all = 0.0 for fs, ft in zip(fstudent, fteacher): n,c,h,w = fs.shape loss = F.mse_loss(fs, ft, reduction='mean') cnt = 1.0 tot = 1.0 for l in [4,2,1]: if l >=h: continue tmpfs = F.adaptive_avg_pool2d(fs, (l,l)) tmpft = F.adaptive_avg_pool2d(ft, (l,l)) cnt /= 2.0 loss += F.mse_loss(tmpfs, tmpft, reduction='mean') * cnt tot += cnt loss = loss / tot loss_all = loss_all + loss return loss_all
6,351
34.093923
111
py
cGAN-KD
cGAN-KD-main/CIFAR-100/ReviewKD/model/shufflenetv2.py
'''ShuffleNetV2 in PyTorch. See the paper "ShuffleNet V2: Practical Guidelines for Efficient CNN Architecture Design" for more details. ''' import torch import torch.nn as nn import torch.nn.functional as F class ShuffleBlock(nn.Module): def __init__(self, groups=2): super(ShuffleBlock, self).__init__() self.groups = groups def forward(self, x): '''Channel shuffle: [N,C,H,W] -> [N,g,C/g,H,W] -> [N,C/g,g,H,w] -> [N,C,H,W]''' N, C, H, W = x.size() g = self.groups return x.view(N, g, C//g, H, W).permute(0, 2, 1, 3, 4).reshape(N, C, H, W) class SplitBlock(nn.Module): def __init__(self, ratio): super(SplitBlock, self).__init__() self.ratio = ratio def forward(self, x): c = int(x.size(1) * self.ratio) return x[:, :c, :, :], x[:, c:, :, :] class BasicBlock(nn.Module): def __init__(self, in_channels, split_ratio=0.5, is_last=False): super(BasicBlock, self).__init__() self.is_last = is_last self.split = SplitBlock(split_ratio) in_channels = int(in_channels * split_ratio) self.conv1 = nn.Conv2d(in_channels, in_channels, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(in_channels) self.conv2 = nn.Conv2d(in_channels, in_channels, kernel_size=3, stride=1, padding=1, groups=in_channels, bias=False) self.bn2 = nn.BatchNorm2d(in_channels) self.conv3 = nn.Conv2d(in_channels, in_channels, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(in_channels) self.shuffle = ShuffleBlock() def forward(self, x): x1, x2 = self.split(x) out = F.relu(self.bn1(self.conv1(x2))) out = self.bn2(self.conv2(out)) preact = self.bn3(self.conv3(out)) out = F.relu(preact) # out = F.relu(self.bn3(self.conv3(out))) preact = torch.cat([x1, preact], 1) out = torch.cat([x1, out], 1) out = self.shuffle(out) if self.is_last: return out, preact else: return out class DownBlock(nn.Module): def __init__(self, in_channels, out_channels): super(DownBlock, self).__init__() mid_channels = out_channels // 2 # left self.conv1 = nn.Conv2d(in_channels, in_channels, kernel_size=3, stride=2, padding=1, groups=in_channels, bias=False) self.bn1 = nn.BatchNorm2d(in_channels) self.conv2 = nn.Conv2d(in_channels, mid_channels, kernel_size=1, bias=False) self.bn2 = nn.BatchNorm2d(mid_channels) # right self.conv3 = nn.Conv2d(in_channels, mid_channels, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(mid_channels) self.conv4 = nn.Conv2d(mid_channels, mid_channels, kernel_size=3, stride=2, padding=1, groups=mid_channels, bias=False) self.bn4 = nn.BatchNorm2d(mid_channels) self.conv5 = nn.Conv2d(mid_channels, mid_channels, kernel_size=1, bias=False) self.bn5 = nn.BatchNorm2d(mid_channels) self.shuffle = ShuffleBlock() def forward(self, x): # left out1 = self.bn1(self.conv1(x)) out1 = F.relu(self.bn2(self.conv2(out1))) # right out2 = F.relu(self.bn3(self.conv3(x))) out2 = self.bn4(self.conv4(out2)) out2 = F.relu(self.bn5(self.conv5(out2))) # concat out = torch.cat([out1, out2], 1) out = self.shuffle(out) return out class ShuffleNetV2(nn.Module): def __init__(self, net_size, num_classes=10): super(ShuffleNetV2, self).__init__() out_channels = configs[net_size]['out_channels'] num_blocks = configs[net_size]['num_blocks'] # self.conv1 = nn.Conv2d(3, 24, kernel_size=3, # stride=1, padding=1, bias=False) self.conv1 = nn.Conv2d(3, 24, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(24) self.in_channels = 24 self.layer1 = self._make_layer(out_channels[0], num_blocks[0]) self.layer2 = self._make_layer(out_channels[1], num_blocks[1]) self.layer3 = self._make_layer(out_channels[2], num_blocks[2]) self.conv2 = nn.Conv2d(out_channels[2], out_channels[3], kernel_size=1, stride=1, padding=0, bias=False) self.bn2 = nn.BatchNorm2d(out_channels[3]) self.linear = nn.Linear(out_channels[3], num_classes) self.to('cuda') def _make_layer(self, out_channels, num_blocks): layers = [DownBlock(self.in_channels, out_channels)] for i in range(num_blocks): layers.append(BasicBlock(out_channels, is_last=(i == num_blocks - 1))) self.in_channels = out_channels return nn.Sequential(*layers) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) return feat_m def get_bn_before_relu(self): raise NotImplementedError('ShuffleNetV2 currently is not supported for "Overhaul" teacher') def forward(self, x, is_feat=False, preact=False): out = F.relu(self.bn1(self.conv1(x))) # out = F.max_pool2d(out, 3, stride=2, padding=1) f0 = out out, f1_pre = self.layer1(out) f1 = out out, f2_pre = self.layer2(out) f2 = out out, f3_pre = self.layer3(out) f3 = out out = F.relu(self.bn2(self.conv2(out))) out = F.avg_pool2d(out, 4) f4 = out out = out.view(out.size(0), -1) out = self.linear(out) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4], out else: return [f0, f1, f2, f3, f4], out else: return out configs = { 0.2: { 'out_channels': (40, 80, 160, 512), 'num_blocks': (3, 3, 3) }, 0.3: { 'out_channels': (40, 80, 160, 512), 'num_blocks': (3, 7, 3) }, 0.5: { 'out_channels': (48, 96, 192, 1024), 'num_blocks': (3, 7, 3) }, 1: { 'out_channels': (116, 232, 464, 1024), 'num_blocks': (3, 7, 3) }, 1.5: { 'out_channels': (176, 352, 704, 1024), 'num_blocks': (3, 7, 3) }, 2: { 'out_channels': (224, 488, 976, 2048), 'num_blocks': (3, 7, 3) } } def ShuffleV2(**kwargs): model = ShuffleNetV2(net_size=1, **kwargs) return model if __name__ == '__main__': net = ShuffleV2(num_classes=100) x = torch.randn(3, 3, 32, 32) import time a = time.time() feats, logit = net(x, is_feat=True, preact=True) b = time.time() print(b - a) for f in feats: print(f.shape, f.min().item()) print(logit.shape)
7,098
32.485849
107
py
cGAN-KD
cGAN-KD-main/CIFAR-100/ReviewKD/model/wide_resnet_cifar.py
import pdb import math import torch import torch.nn as nn import torch.nn.functional as F """ Original Author: Wei Yang """ __all__ = ['wrn'] class BasicBlock(nn.Module): def __init__(self, in_planes, out_planes, stride, dropRate=0.0): super(BasicBlock, self).__init__() self.bn1 = nn.BatchNorm2d(in_planes) self.relu1 = nn.ReLU(inplace=True) self.conv1 = nn.Conv2d(in_planes, out_planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(out_planes) self.relu2 = nn.ReLU(inplace=True) self.conv2 = nn.Conv2d(out_planes, out_planes, kernel_size=3, stride=1, padding=1, bias=False) self.droprate = dropRate self.equalInOut = (in_planes == out_planes) self.convShortcut = (not self.equalInOut) and nn.Conv2d(in_planes, out_planes, kernel_size=1, stride=stride, padding=0, bias=False) or None def forward(self, x): if not self.equalInOut: x = self.relu1(self.bn1(x)) else: out = self.relu1(self.bn1(x)) out = self.relu2(self.bn2(self.conv1(out if self.equalInOut else x))) if self.droprate > 0: out = F.dropout(out, p=self.droprate, training=self.training) out = self.conv2(out) return torch.add(x if self.equalInOut else self.convShortcut(x), out) class NetworkBlock(nn.Module): def __init__(self, nb_layers, in_planes, out_planes, block, stride, dropRate=0.0): super(NetworkBlock, self).__init__() self.layer = self._make_layer(block, in_planes, out_planes, nb_layers, stride, dropRate) def _make_layer(self, block, in_planes, out_planes, nb_layers, stride, dropRate): layers = [] for i in range(nb_layers): layers.append(block(i == 0 and in_planes or out_planes, out_planes, i == 0 and stride or 1, dropRate)) return nn.Sequential(*layers) def forward(self, x): return self.layer(x) class WideResNet(nn.Module): def __init__(self, depth, num_classes, widen_factor=1, dropRate=0.0): super(WideResNet, self).__init__() nChannels = [16, 16*widen_factor, 32*widen_factor, 64*widen_factor] assert (depth - 4) % 6 == 0, 'depth should be 6n+4' n = (depth - 4) // 6 block = BasicBlock # 1st conv before any network block self.conv1 = nn.Conv2d(3, nChannels[0], kernel_size=3, stride=1, padding=1, bias=False) # 1st block self.block1 = NetworkBlock(n, nChannels[0], nChannels[1], block, 1, dropRate) # 2nd block self.block2 = NetworkBlock(n, nChannels[1], nChannels[2], block, 2, dropRate) # 3rd block self.block3 = NetworkBlock(n, nChannels[2], nChannels[3], block, 2, dropRate) # global average pooling and classifier self.bn1 = nn.BatchNorm2d(nChannels[3]) self.relu = nn.ReLU(inplace=True) self.fc = nn.Linear(nChannels[3], num_classes) self.nChannels = nChannels[3] for m in self.modules(): if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() elif isinstance(m, nn.Linear): m.bias.data.zero_() self.to('cuda') def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.block1) feat_m.append(self.block2) feat_m.append(self.block3) return feat_m def get_bn_before_relu(self): bn1 = self.block2.layer[0].bn1 bn2 = self.block3.layer[0].bn1 bn3 = self.bn1 return [bn1, bn2, bn3] def forward(self, x, is_feat=False, preact=False): out = self.conv1(x) f0 = out out = self.block1(out) f1 = out out = self.block2(out) f2 = out out = self.block3(out) f3 = out out = self.relu(self.bn1(out)) out = F.avg_pool2d(out, 8) f4 = out out = out.view(-1, self.nChannels) out = self.fc(out) if is_feat: if preact: f1 = self.block2.layer[0].bn1(f1) f2 = self.block3.layer[0].bn1(f2) f3 = self.bn1(f3) return [f0, f1, f2, f3, f4], out else: return out def wrn(**kwargs): """ Constructs a Wide Residual Networks. """ model = WideResNet(**kwargs) return model def wrn_40_2(**kwargs): model = WideResNet(depth=40, widen_factor=2, **kwargs) return model def wrn_40_1(**kwargs): model = WideResNet(depth=40, widen_factor=1, **kwargs) return model def wrn_16_2(**kwargs): model = WideResNet(depth=16, widen_factor=2, **kwargs) return model def wrn_16_1(**kwargs): model = WideResNet(depth=16, widen_factor=1, **kwargs) return model if __name__ == '__main__': import torch x = torch.randn(2, 3, 32, 32) net = wrn_40_2(num_classes=100) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
5,554
31.109827
116
py
cGAN-KD
cGAN-KD-main/CIFAR-100/ReviewKD/model/resnetv2_cifar.py
'''ResNet in PyTorch. For Pre-activation ResNet, see 'preact_resnet.py'. Reference: [1] Kaiming He, Xiangyu Zhang, Shaoqing Ren, Jian Sun Deep Residual Learning for Image Recognition. arXiv:1512.03385 ''' import torch import torch.nn as nn import torch.nn.functional as F class BasicBlock(nn.Module): expansion = 1 def __init__(self, in_planes, planes, stride=1, is_last=False): super(BasicBlock, self).__init__() self.is_last = is_last self.conv1 = nn.Conv2d(in_planes, planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = nn.Conv2d(planes, planes, kernel_size=3, stride=1, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(planes) self.shortcut = nn.Sequential() if stride != 1 or in_planes != self.expansion * planes: self.shortcut = nn.Sequential( nn.Conv2d(in_planes, self.expansion * planes, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(self.expansion * planes) ) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = self.bn2(self.conv2(out)) out += self.shortcut(x) preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class Bottleneck(nn.Module): expansion = 4 def __init__(self, in_planes, planes, stride=1, is_last=False): super(Bottleneck, self).__init__() self.is_last = is_last self.conv1 = nn.Conv2d(in_planes, planes, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = nn.Conv2d(planes, planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(planes) self.conv3 = nn.Conv2d(planes, self.expansion * planes, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(self.expansion * planes) self.shortcut = nn.Sequential() if stride != 1 or in_planes != self.expansion * planes: self.shortcut = nn.Sequential( nn.Conv2d(in_planes, self.expansion * planes, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(self.expansion * planes) ) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = F.relu(self.bn2(self.conv2(out))) out = self.bn3(self.conv3(out)) out += self.shortcut(x) preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class ResNet(nn.Module): def __init__(self, block, num_blocks, num_classes=10, zero_init_residual=False): super(ResNet, self).__init__() self.in_planes = 64 self.conv1 = nn.Conv2d(3, 64, kernel_size=3, stride=1, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(64) self.layer1 = self._make_layer(block, 64, num_blocks[0], stride=1) self.layer2 = self._make_layer(block, 128, num_blocks[1], stride=2) self.layer3 = self._make_layer(block, 256, num_blocks[2], stride=2) self.layer4 = self._make_layer(block, 512, num_blocks[3], stride=2) self.avgpool = nn.AdaptiveAvgPool2d((1, 1)) self.linear = nn.Linear(512 * block.expansion, num_classes) for m in self.modules(): if isinstance(m, nn.Conv2d): nn.init.kaiming_normal_(m.weight, mode='fan_out', nonlinearity='relu') elif isinstance(m, (nn.BatchNorm2d, nn.GroupNorm)): nn.init.constant_(m.weight, 1) nn.init.constant_(m.bias, 0) # Zero-initialize the last BN in each residual branch, # so that the residual branch starts with zeros, and each residual block behaves like an identity. # This improves the model by 0.2~0.3% according to https://arxiv.org/abs/1706.02677 if zero_init_residual: for m in self.modules(): if isinstance(m, Bottleneck): nn.init.constant_(m.bn3.weight, 0) elif isinstance(m, BasicBlock): nn.init.constant_(m.bn2.weight, 0) self.to('cuda') def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) feat_m.append(self.layer4) return feat_m def get_bn_before_relu(self): if isinstance(self.layer1[0], Bottleneck): bn1 = self.layer1[-1].bn3 bn2 = self.layer2[-1].bn3 bn3 = self.layer3[-1].bn3 bn4 = self.layer4[-1].bn3 elif isinstance(self.layer1[0], BasicBlock): bn1 = self.layer1[-1].bn2 bn2 = self.layer2[-1].bn2 bn3 = self.layer3[-1].bn2 bn4 = self.layer4[-1].bn2 else: raise NotImplementedError('ResNet unknown block error !!!') return [bn1, bn2, bn3, bn4] def _make_layer(self, block, planes, num_blocks, stride): strides = [stride] + [1] * (num_blocks - 1) layers = [] for i in range(num_blocks): stride = strides[i] layers.append(block(self.in_planes, planes, stride, i == num_blocks - 1)) self.in_planes = planes * block.expansion return nn.Sequential(*layers) def forward(self, x, is_feat=False, preact=False): out = F.relu(self.bn1(self.conv1(x))) f0 = out out, f1_pre = self.layer1(out) f1 = out out, f2_pre = self.layer2(out) f2 = out out, f3_pre = self.layer3(out) f3 = out out, f4_pre = self.layer4(out) f4 = out out = self.avgpool(out) f5 = out out = out.view(out.size(0), -1) out = self.linear(out) if is_feat: if preact: return [[f0, f1_pre, f2_pre, f3_pre, f4_pre, f5], out] else: return [f0, f1, f2, f3, f4, f5], out else: return out def ResNet18(**kwargs): return ResNet(BasicBlock, [2, 2, 2, 2], **kwargs) def ResNet34(**kwargs): return ResNet(BasicBlock, [3, 4, 6, 3], **kwargs) def ResNet50(**kwargs): return ResNet(Bottleneck, [3, 4, 6, 3], **kwargs) def ResNet101(**kwargs): return ResNet(Bottleneck, [3, 4, 23, 3], **kwargs) def ResNet152(**kwargs): return ResNet(Bottleneck, [3, 8, 36, 3], **kwargs) if __name__ == '__main__': net = ResNet18(num_classes=100) x = torch.randn(2, 3, 32, 32) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
6,939
33.7
106
py
cGAN-KD
cGAN-KD-main/CIFAR-100/ReviewKD/model/resnet.py
'''ResNet18/34/50/101/152 in Pytorch.''' import torch import torch.nn as nn import torch.nn.functional as F from torch.autograd import Variable def conv3x3(in_planes, out_planes, stride=1): return nn.Conv2d(in_planes, out_planes, kernel_size=3, stride=stride, padding=1, bias=False) class BasicBlock(nn.Module): expansion = 1 def __init__(self, in_planes, planes, stride=1): super(BasicBlock, self).__init__() self.conv1 = conv3x3(in_planes, planes, stride) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = conv3x3(planes, planes) self.bn2 = nn.BatchNorm2d(planes) self.shortcut = nn.Sequential() if stride != 1 or in_planes != self.expansion*planes: self.shortcut = nn.Sequential( nn.Conv2d(in_planes, self.expansion*planes, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(self.expansion*planes) ) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = self.bn2(self.conv2(out)) out += self.shortcut(x) out = F.relu(out) return out class Bottleneck(nn.Module): expansion = 4 def __init__(self, in_planes, planes, stride=1): super(Bottleneck, self).__init__() self.conv1 = nn.Conv2d(in_planes, planes, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = nn.Conv2d(planes, planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(planes) self.conv3 = nn.Conv2d(planes, self.expansion*planes, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(self.expansion*planes) self.shortcut = nn.Sequential() if stride != 1 or in_planes != self.expansion*planes: self.shortcut = nn.Sequential( nn.Conv2d(in_planes, self.expansion*planes, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(self.expansion*planes) ) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = F.relu(self.bn2(self.conv2(out))) out = self.bn3(self.conv3(out)) out += self.shortcut(x) out = F.relu(out) return out class ResNet(nn.Module): def __init__(self, block, num_blocks, num_classes=10, k = 1): super(ResNet, self).__init__() self.in_planes = 64 self.k = k self.conv1 = nn.Conv2d(3, 64, kernel_size=3, stride=1, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(64) self.layer1 = self._make_layer(block, 64, num_blocks[0], stride=1) self.layer2 = self._make_layer(block, 128, num_blocks[1], stride=2) self.layer3 = self._make_layer(block, 256, num_blocks[2], stride=2) self.layer4 = self._make_layer(block, 512, num_blocks[3], stride=2) self.linear = nn.Linear(512*block.expansion, num_classes) def _make_layer(self, block, planes, num_blocks, stride): strides = [stride] + [1]*(num_blocks-1) layers = [] for stride in strides: layers.append(block(self.in_planes, planes, stride)) self.in_planes = planes * block.expansion return nn.Sequential(*layers) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = self.layer1(out) out = self.layer2(out) out = self.layer3(out) out = self.layer4(out) out = F.avg_pool2d(out, 4) out = out.view(out.size(0), -1) out = self.linear(out) out = out / self.k return out def ResNet18(num_classes=10, k = 1): return ResNet(BasicBlock, [2,2,2,2], num_classes, k) def ResNet34(num_classes=10): return ResNet(BasicBlock, [3,4,6,3], num_classes) def ResNet50(num_classes=10): return ResNet(Bottleneck, [3,4,6,3], num_classes) def ResNet101(num_classes=10): return ResNet(Bottleneck, [3,4,23,3], num_classes) def ResNet152(num_classes=10): return ResNet(Bottleneck, [3,8,36,3], num_classes) def test_resnet(): net = ResNet50() y = net(Variable(torch.randn(1,3,32,32))) print(y.size()) # test_resnet()
4,140
33.22314
102
py
cGAN-KD
cGAN-KD-main/CIFAR-100/ReviewKD/model/mobilenetv2.py
""" MobileNetV2 implementation used in <Knowledge Distillation via Route Constrained Optimization> """ import torch import torch.nn as nn import math __all__ = ['mobilenetv2_T_w', 'mobile_half'] BN = None def conv_bn(inp, oup, stride): return nn.Sequential( nn.Conv2d(inp, oup, 3, stride, 1, bias=False), nn.BatchNorm2d(oup), nn.ReLU(inplace=True) ) def conv_1x1_bn(inp, oup): return nn.Sequential( nn.Conv2d(inp, oup, 1, 1, 0, bias=False), nn.BatchNorm2d(oup), nn.ReLU(inplace=True) ) class InvertedResidual(nn.Module): def __init__(self, inp, oup, stride, expand_ratio): super(InvertedResidual, self).__init__() self.blockname = None self.stride = stride assert stride in [1, 2] self.use_res_connect = self.stride == 1 and inp == oup self.conv = nn.Sequential( # pw nn.Conv2d(inp, inp * expand_ratio, 1, 1, 0, bias=False), nn.BatchNorm2d(inp * expand_ratio), nn.ReLU(inplace=True), # dw nn.Conv2d(inp * expand_ratio, inp * expand_ratio, 3, stride, 1, groups=inp * expand_ratio, bias=False), nn.BatchNorm2d(inp * expand_ratio), nn.ReLU(inplace=True), # pw-linear nn.Conv2d(inp * expand_ratio, oup, 1, 1, 0, bias=False), nn.BatchNorm2d(oup), ) self.names = ['0', '1', '2', '3', '4', '5', '6', '7'] def forward(self, x): t = x if self.use_res_connect: return t + self.conv(x) else: return self.conv(x) class MobileNetV2(nn.Module): """mobilenetV2""" def __init__(self, T, feature_dim, input_size=32, width_mult=1., remove_avg=False): super(MobileNetV2, self).__init__() self.remove_avg = remove_avg # setting of inverted residual blocks self.interverted_residual_setting = [ # t, c, n, s [1, 16, 1, 1], [T, 24, 2, 1], [T, 32, 3, 2], [T, 64, 4, 2], [T, 96, 3, 1], [T, 160, 3, 2], [T, 320, 1, 1], ] # building first layer assert input_size % 32 == 0 input_channel = int(32 * width_mult) self.conv1 = conv_bn(3, input_channel, 2) # building inverted residual blocks self.blocks = nn.ModuleList([]) for t, c, n, s in self.interverted_residual_setting: output_channel = int(c * width_mult) layers = [] strides = [s] + [1] * (n - 1) for stride in strides: layers.append( InvertedResidual(input_channel, output_channel, stride, t) ) input_channel = output_channel self.blocks.append(nn.Sequential(*layers)) self.last_channel = int(1280 * width_mult) if width_mult > 1.0 else 1280 self.conv2 = conv_1x1_bn(input_channel, self.last_channel) # building classifier self.classifier = nn.Sequential( # nn.Dropout(0.5), nn.Linear(self.last_channel, feature_dim), ) H = input_size // (32//2) self.avgpool = nn.AvgPool2d(H, ceil_mode=True) self._initialize_weights() print(T, width_mult) def get_bn_before_relu(self): bn1 = self.blocks[1][-1].conv[-1] bn2 = self.blocks[2][-1].conv[-1] bn3 = self.blocks[4][-1].conv[-1] bn4 = self.blocks[6][-1].conv[-1] return [bn1, bn2, bn3, bn4] def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.blocks) return feat_m def forward(self, x, is_feat=False, preact=False): out = self.conv1(x) f0 = out out = self.blocks[0](out) out = self.blocks[1](out) f1 = out out = self.blocks[2](out) f2 = out out = self.blocks[3](out) out = self.blocks[4](out) f3 = out out = self.blocks[5](out) out = self.blocks[6](out) f4 = out out = self.conv2(out) if not self.remove_avg: out = self.avgpool(out) out = out.view(out.size(0), -1) f5 = out out = self.classifier(out) if is_feat: return [f0, f1, f2, f3, f4, f5], out else: return out def _initialize_weights(self): for m in self.modules(): if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) if m.bias is not None: m.bias.data.zero_() elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() elif isinstance(m, nn.Linear): n = m.weight.size(1) m.weight.data.normal_(0, 0.01) m.bias.data.zero_() def mobilenetv2_T_w(T, W, feature_dim=100): model = MobileNetV2(T=T, feature_dim=feature_dim, width_mult=W) return model def mobile_half(num_classes): return mobilenetv2_T_w(6, 0.5, num_classes) if __name__ == '__main__': x = torch.randn(2, 3, 32, 32) net = mobile_half(100) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
5,705
27.108374
115
py
cGAN-KD
cGAN-KD-main/CIFAR-100/ReviewKD/model/vgg.py
'''VGG for CIFAR10. FC layers are removed. (c) YANG, Wei ''' import torch.nn as nn import torch.nn.functional as F import math __all__ = [ 'VGG', 'vgg11', 'vgg11_bn', 'vgg13', 'vgg13_bn', 'vgg16', 'vgg16_bn', 'vgg19_bn', 'vgg19', ] model_urls = { 'vgg11': 'https://download.pytorch.org/models/vgg11-bbd30ac9.pth', 'vgg13': 'https://download.pytorch.org/models/vgg13-c768596a.pth', 'vgg16': 'https://download.pytorch.org/models/vgg16-397923af.pth', 'vgg19': 'https://download.pytorch.org/models/vgg19-dcbb9e9d.pth', } class VGG(nn.Module): def __init__(self, cfg, batch_norm=False, num_classes=1000): super(VGG, self).__init__() self.block0 = self._make_layers(cfg[0], batch_norm, 3) self.block1 = self._make_layers(cfg[1], batch_norm, cfg[0][-1]) self.block2 = self._make_layers(cfg[2], batch_norm, cfg[1][-1]) self.block3 = self._make_layers(cfg[3], batch_norm, cfg[2][-1]) self.block4 = self._make_layers(cfg[4], batch_norm, cfg[3][-1]) self.pool0 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool1 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool2 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool3 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool4 = nn.AdaptiveAvgPool2d((1, 1)) # self.pool4 = nn.MaxPool2d(kernel_size=2, stride=2) self.classifier = nn.Linear(512, num_classes) self._initialize_weights() def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.block0) feat_m.append(self.pool0) feat_m.append(self.block1) feat_m.append(self.pool1) feat_m.append(self.block2) feat_m.append(self.pool2) feat_m.append(self.block3) feat_m.append(self.pool3) feat_m.append(self.block4) feat_m.append(self.pool4) return feat_m def get_bn_before_relu(self): bn1 = self.block1[-1] bn2 = self.block2[-1] bn3 = self.block3[-1] bn4 = self.block4[-1] return [bn1, bn2, bn3, bn4] def forward(self, x, is_feat=False, preact=False): h = x.shape[2] x = F.relu(self.block0(x)) f0 = x x = self.pool0(x) x = self.block1(x) f1_pre = x x = F.relu(x) f1 = x x = self.pool1(x) x = self.block2(x) f2_pre = x x = F.relu(x) f2 = x x = self.pool2(x) x = self.block3(x) f3_pre = x x = F.relu(x) f3 = x if h == 64: x = self.pool3(x) x = self.block4(x) f4_pre = x x = F.relu(x) f4 = x x = self.pool4(x) x = x.view(x.size(0), -1) f5 = x x = self.classifier(x) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4_pre, f5], x else: return [f0, f1, f2, f3, f4, f5], x else: return x @staticmethod def _make_layers(cfg, batch_norm=False, in_channels=3): layers = [] for v in cfg: if v == 'M': layers += [nn.MaxPool2d(kernel_size=2, stride=2)] else: conv2d = nn.Conv2d(in_channels, v, kernel_size=3, padding=1) if batch_norm: layers += [conv2d, nn.BatchNorm2d(v), nn.ReLU(inplace=True)] else: layers += [conv2d, nn.ReLU(inplace=True)] in_channels = v layers = layers[:-1] return nn.Sequential(*layers) def _initialize_weights(self): for m in self.modules(): if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) if m.bias is not None: m.bias.data.zero_() elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() elif isinstance(m, nn.Linear): n = m.weight.size(1) m.weight.data.normal_(0, 0.01) m.bias.data.zero_() cfg = { 'A': [[64], [128], [256, 256], [512, 512], [512, 512]], 'B': [[64, 64], [128, 128], [256, 256], [512, 512], [512, 512]], 'D': [[64, 64], [128, 128], [256, 256, 256], [512, 512, 512], [512, 512, 512]], 'E': [[64, 64], [128, 128], [256, 256, 256, 256], [512, 512, 512, 512], [512, 512, 512, 512]], 'S': [[64], [128], [256], [512], [512]], } def vgg8(**kwargs): """VGG 8-layer model (configuration "S") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['S'], **kwargs) return model def vgg8_bn(**kwargs): """VGG 8-layer model (configuration "S") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['S'], batch_norm=True, **kwargs) return model def vgg11(**kwargs): """VGG 11-layer model (configuration "A") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['A'], **kwargs) return model def vgg11_bn(**kwargs): """VGG 11-layer model (configuration "A") with batch normalization""" model = VGG(cfg['A'], batch_norm=True, **kwargs) return model def vgg13(**kwargs): """VGG 13-layer model (configuration "B") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['B'], **kwargs) return model def vgg13_bn(**kwargs): """VGG 13-layer model (configuration "B") with batch normalization""" model = VGG(cfg['B'], batch_norm=True, **kwargs) return model def vgg16(**kwargs): """VGG 16-layer model (configuration "D") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['D'], **kwargs) return model def vgg16_bn(**kwargs): """VGG 16-layer model (configuration "D") with batch normalization""" model = VGG(cfg['D'], batch_norm=True, **kwargs) return model def vgg19(**kwargs): """VGG 19-layer model (configuration "E") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['E'], **kwargs) return model def vgg19_bn(**kwargs): """VGG 19-layer model (configuration 'E') with batch normalization""" model = VGG(cfg['E'], batch_norm=True, **kwargs) return model vgg_dict = { 'vgg8': vgg8_bn, 'vgg11': vgg11_bn, 'vgg13': vgg13_bn, 'vgg16': vgg16_bn, 'vgg19': vgg19_bn, } if __name__ == '__main__': import torch x = torch.randn(2, 3, 32, 32) net = vgg19_bn(num_classes=100) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
7,102
27.757085
98
py
cGAN-KD
cGAN-KD-main/CIFAR-100/ReviewKD/model/shufflenetv1.py
'''ShuffleNet in PyTorch. See the paper "ShuffleNet: An Extremely Efficient Convolutional Neural Network for Mobile Devices" for more details. ''' import torch import torch.nn as nn import torch.nn.functional as F class ShuffleBlock(nn.Module): def __init__(self, groups): super(ShuffleBlock, self).__init__() self.groups = groups def forward(self, x): '''Channel shuffle: [N,C,H,W] -> [N,g,C/g,H,W] -> [N,C/g,g,H,w] -> [N,C,H,W]''' N,C,H,W = x.size() g = self.groups return x.view(N,g,C//g,H,W).permute(0,2,1,3,4).reshape(N,C,H,W) class Bottleneck(nn.Module): def __init__(self, in_planes, out_planes, stride, groups, is_last=False): super(Bottleneck, self).__init__() self.is_last = is_last self.stride = stride mid_planes = int(out_planes/4) g = 1 if in_planes == 24 else groups self.conv1 = nn.Conv2d(in_planes, mid_planes, kernel_size=1, groups=g, bias=False) self.bn1 = nn.BatchNorm2d(mid_planes) self.shuffle1 = ShuffleBlock(groups=g) self.conv2 = nn.Conv2d(mid_planes, mid_planes, kernel_size=3, stride=stride, padding=1, groups=mid_planes, bias=False) self.bn2 = nn.BatchNorm2d(mid_planes) self.conv3 = nn.Conv2d(mid_planes, out_planes, kernel_size=1, groups=groups, bias=False) self.bn3 = nn.BatchNorm2d(out_planes) self.shortcut = nn.Sequential() if stride == 2: self.shortcut = nn.Sequential(nn.AvgPool2d(3, stride=2, padding=1)) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = self.shuffle1(out) out = F.relu(self.bn2(self.conv2(out))) out = self.bn3(self.conv3(out)) res = self.shortcut(x) preact = torch.cat([out, res], 1) if self.stride == 2 else out+res out = F.relu(preact) # out = F.relu(torch.cat([out, res], 1)) if self.stride == 2 else F.relu(out+res) if self.is_last: return out, preact else: return out class ShuffleNet(nn.Module): def __init__(self, cfg, num_classes=10): super(ShuffleNet, self).__init__() out_planes = cfg['out_planes'] num_blocks = cfg['num_blocks'] groups = cfg['groups'] self.conv1 = nn.Conv2d(3, 24, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(24) self.in_planes = 24 self.layer1 = self._make_layer(out_planes[0], num_blocks[0], groups) self.layer2 = self._make_layer(out_planes[1], num_blocks[1], groups) self.layer3 = self._make_layer(out_planes[2], num_blocks[2], groups) self.linear = nn.Linear(out_planes[2], num_classes) self.to('cuda') def _make_layer(self, out_planes, num_blocks, groups): layers = [] for i in range(num_blocks): stride = 2 if i == 0 else 1 cat_planes = self.in_planes if i == 0 else 0 layers.append(Bottleneck(self.in_planes, out_planes-cat_planes, stride=stride, groups=groups, is_last=(i == num_blocks - 1))) self.in_planes = out_planes return nn.Sequential(*layers) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) return feat_m def get_bn_before_relu(self): raise NotImplementedError('ShuffleNet currently is not supported for "Overhaul" teacher') def forward(self, x, is_feat=False, preact=False): out = F.relu(self.bn1(self.conv1(x))) f0 = out out, f1_pre = self.layer1(out) f1 = out out, f2_pre = self.layer2(out) f2 = out out, f3_pre = self.layer3(out) f3 = out out = F.avg_pool2d(out, 4) f4 = out out = out.view(out.size(0), -1) out = self.linear(out) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4], out else: return [f0, f1, f2, f3, f4], out else: return out def ShuffleV1(**kwargs): cfg = { 'out_planes': [240, 480, 960], 'num_blocks': [4, 8, 4], 'groups': 3 } return ShuffleNet(cfg, **kwargs) if __name__ == '__main__': x = torch.randn(2, 3, 32, 32) net = ShuffleV1(num_classes=100) import time a = time.time() feats, logit = net(x, is_feat=True, preact=True) b = time.time() print(b - a) for f in feats: print(f.shape, f.min().item()) print(logit.shape)
4,756
32.978571
126
py
cGAN-KD
cGAN-KD-main/CIFAR-100/ReviewKD/model/wide_resnet.py
# From https://github.com/xternalz/WideResNet-pytorch import math import torch import torch.nn as nn import torch.nn.functional as F class BasicBlock(nn.Module): def __init__(self, in_planes, out_planes, stride, dropRate=0.0): super(BasicBlock, self).__init__() self.bn1 = nn.BatchNorm2d(in_planes) self.relu1 = nn.ReLU(inplace=True) self.conv1 = nn.Conv2d(in_planes, out_planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(out_planes) self.relu2 = nn.ReLU(inplace=True) self.conv2 = nn.Conv2d(out_planes, out_planes, kernel_size=3, stride=1, padding=1, bias=False) self.droprate = dropRate self.equalInOut = (in_planes == out_planes) self.convShortcut = (not self.equalInOut) and nn.Conv2d(in_planes, out_planes, kernel_size=1, stride=stride, padding=0, bias=False) or None def forward(self, x): if not self.equalInOut: x = self.relu1(self.bn1(x)) else: out = self.relu1(self.bn1(x)) out = self.relu2(self.bn2(self.conv1(out if self.equalInOut else x))) if self.droprate > 0: out = F.dropout(out, p=self.droprate, training=self.training) out = self.conv2(out) return torch.add(x if self.equalInOut else self.convShortcut(x), out) class NetworkBlock(nn.Module): def __init__(self, nb_layers, in_planes, out_planes, block, stride, dropRate=0.0): super(NetworkBlock, self).__init__() self.layer = self._make_layer(block, in_planes, out_planes, nb_layers, stride, dropRate) def _make_layer(self, block, in_planes, out_planes, nb_layers, stride, dropRate): layers = [] for i in range(nb_layers): layers.append(block(i == 0 and in_planes or out_planes, out_planes, i == 0 and stride or 1, dropRate)) return nn.Sequential(*layers) def forward(self, x): return self.layer(x) class WideResNet(nn.Module): def __init__(self, depth, num_classes, widen_factor=1, dropRate=0.0): super(WideResNet, self).__init__() nChannels = [16, 16*widen_factor, 32*widen_factor, 64*widen_factor] assert((depth - 4) % 6 == 0) n = (depth - 4) // 6 block = BasicBlock # 1st conv before any network block self.conv1 = nn.Conv2d(3, nChannels[0], kernel_size=3, stride=1, padding=1, bias=False) # 1st block self.block1 = NetworkBlock(n, nChannels[0], nChannels[1], block, 1, dropRate) # 2nd block self.block2 = NetworkBlock(n, nChannels[1], nChannels[2], block, 2, dropRate) # 3rd block self.block3 = NetworkBlock(n, nChannels[2], nChannels[3], block, 2, dropRate) # global average pooling and classifier self.bn1 = nn.BatchNorm2d(nChannels[3]) self.relu = nn.ReLU(inplace=True) self.fc = nn.Linear(nChannels[3], num_classes) self.nChannels = nChannels[3] for m in self.modules(): if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() elif isinstance(m, nn.Linear): m.bias.data.zero_() def forward(self, x): out = self.conv1(x) out = self.block1(out) out = self.block2(out) out = self.block3(out) out = self.relu(self.bn1(out)) out = F.avg_pool2d(out, 8) out = out.view(-1, self.nChannels) out = self.fc(out) return out
3,801
41.719101
116
py
cGAN-KD
cGAN-KD-main/CIFAR-100/ReviewKD/model/resnet_cifar.py
from __future__ import absolute_import '''Resnet for cifar dataset. Ported form https://github.com/facebook/fb.resnet.torch and https://github.com/pytorch/vision/blob/master/torchvision/models/resnet.py (c) YANG, Wei ''' import torch.nn as nn import torch.nn.functional as F import math __all__ = ['resnet'] def conv3x3(in_planes, out_planes, stride=1): """3x3 convolution with padding""" return nn.Conv2d(in_planes, out_planes, kernel_size=3, stride=stride, padding=1, bias=False) class BasicBlock(nn.Module): expansion = 1 def __init__(self, inplanes, planes, stride=1, downsample=None, is_last=False): super(BasicBlock, self).__init__() self.is_last = is_last self.conv1 = conv3x3(inplanes, planes, stride) self.bn1 = nn.BatchNorm2d(planes) self.relu = nn.ReLU(inplace=True) self.conv2 = conv3x3(planes, planes) self.bn2 = nn.BatchNorm2d(planes) self.downsample = downsample self.stride = stride def forward(self, x): residual = x out = self.conv1(x) out = self.bn1(out) out = self.relu(out) out = self.conv2(out) out = self.bn2(out) if self.downsample is not None: residual = self.downsample(x) out += residual preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class Bottleneck(nn.Module): expansion = 4 def __init__(self, inplanes, planes, stride=1, downsample=None, is_last=False): super(Bottleneck, self).__init__() self.is_last = is_last self.conv1 = nn.Conv2d(inplanes, planes, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = nn.Conv2d(planes, planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(planes) self.conv3 = nn.Conv2d(planes, planes * 4, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(planes * 4) self.relu = nn.ReLU(inplace=True) self.downsample = downsample self.stride = stride def forward(self, x): residual = x out = self.conv1(x) out = self.bn1(out) out = self.relu(out) out = self.conv2(out) out = self.bn2(out) out = self.relu(out) out = self.conv3(out) out = self.bn3(out) if self.downsample is not None: residual = self.downsample(x) out += residual preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class ResNet(nn.Module): def __init__(self, depth, num_filters, block_name='BasicBlock', num_classes=10): super(ResNet, self).__init__() # Model type specifies number of layers for CIFAR-10 model if block_name.lower() == 'basicblock': assert (depth - 2) % 6 == 0, 'When use basicblock, depth should be 6n+2, e.g. 20, 32, 44, 56, 110, 1202' n = (depth - 2) // 6 block = BasicBlock elif block_name.lower() == 'bottleneck': assert (depth - 2) % 9 == 0, 'When use bottleneck, depth should be 9n+2, e.g. 20, 29, 47, 56, 110, 1199' n = (depth - 2) // 9 block = Bottleneck else: raise ValueError('block_name shoule be Basicblock or Bottleneck') self.inplanes = num_filters[0] self.conv1 = nn.Conv2d(3, num_filters[0], kernel_size=3, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(num_filters[0]) self.relu = nn.ReLU(inplace=True) self.layer1 = self._make_layer(block, num_filters[1], n) self.layer2 = self._make_layer(block, num_filters[2], n, stride=2) self.layer3 = self._make_layer(block, num_filters[3], n, stride=2) self.avgpool = nn.AvgPool2d(8) self.fc = nn.Linear(num_filters[3] * block.expansion, num_classes) for m in self.modules(): if isinstance(m, nn.Conv2d): nn.init.kaiming_normal_(m.weight, mode='fan_out', nonlinearity='relu') elif isinstance(m, (nn.BatchNorm2d, nn.GroupNorm)): nn.init.constant_(m.weight, 1) nn.init.constant_(m.bias, 0) self.to('cuda') def _make_layer(self, block, planes, blocks, stride=1): downsample = None if stride != 1 or self.inplanes != planes * block.expansion: downsample = nn.Sequential( nn.Conv2d(self.inplanes, planes * block.expansion, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(planes * block.expansion), ) layers = list([]) layers.append(block(self.inplanes, planes, stride, downsample, is_last=(blocks == 1))) self.inplanes = planes * block.expansion for i in range(1, blocks): layers.append(block(self.inplanes, planes, is_last=(i == blocks-1))) return nn.Sequential(*layers) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.relu) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) return feat_m def get_bn_before_relu(self): if isinstance(self.layer1[0], Bottleneck): bn1 = self.layer1[-1].bn3 bn2 = self.layer2[-1].bn3 bn3 = self.layer3[-1].bn3 elif isinstance(self.layer1[0], BasicBlock): bn1 = self.layer1[-1].bn2 bn2 = self.layer2[-1].bn2 bn3 = self.layer3[-1].bn2 else: raise NotImplementedError('ResNet unknown block error !!!') return [bn1, bn2, bn3] def forward(self, x, is_feat=False, preact=False): x = self.conv1(x) x = self.bn1(x) x = self.relu(x) # 32x32 f0 = x x, f1_pre = self.layer1(x) # 32x32 f1 = x x, f2_pre = self.layer2(x) # 16x16 f2 = x x, f3_pre = self.layer3(x) # 8x8 f3 = x x = self.avgpool(x) f4 = x x = x.view(x.size(0), -1) x = self.fc(x) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4], x else: return [f0, f1, f2, f3, f4], x else: return x def resnet8(**kwargs): return ResNet(8, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet14(**kwargs): return ResNet(14, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet20(**kwargs): return ResNet(20, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet32(**kwargs): return ResNet(32, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet44(**kwargs): return ResNet(44, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet56(**kwargs): return ResNet(56, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet110(**kwargs): return ResNet(110, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet8x4(**kwargs): return ResNet(8, [32, 64, 128, 256], 'basicblock', **kwargs) def resnet32x4(**kwargs): return ResNet(32, [32, 64, 128, 256], 'basicblock', **kwargs) def build_resnet_backbone(depth=20, num_classes = 10): if depth == 20: return resnet20(num_classes=num_classes) elif depth == 32: return resnet32(num_classes=num_classes) elif depth == 56: return resnet56(num_classes=num_classes) elif depth == 110: return resnet110(num_classes=num_classes) def build_resnetx4_backbone(depth=20, num_classes = 10): if depth == 8: return resnet8x4(num_classes=num_classes) elif depth == 32: return resnet32x4(num_classes=num_classes) if __name__ == '__main__': import torch x = torch.randn(2, 3, 32, 32) net = resnet8x4(num_classes=20) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
8,312
29.339416
116
py
cGAN-KD
cGAN-KD-main/CIFAR-100/RepDistiller/train_student.py
""" the general training framework """ from __future__ import print_function import os import argparse import socket import time import torch import torch.optim as optim import torch.nn as nn import torch.backends.cudnn as cudnn from models import model_dict from models.util import Embed, ConvReg, LinearEmbed from models.util import Connector, Translator, Paraphraser from dataset.cifar100 import get_cifar100_dataloaders, get_cifar100_dataloaders_sample from helper.util import adjust_learning_rate from distiller_zoo import DistillKL, HintLoss, Attention, Similarity, Correlation, VIDLoss, RKDLoss from distiller_zoo import PKT, ABLoss, FactorTransfer, KDSVD, FSP, NSTLoss from crd.criterion import CRDLoss from helper.loops import train_distill as train, validate from helper.pretrain import init def parse_option(): hostname = socket.gethostname() parser = argparse.ArgumentParser('argument for training') parser.add_argument('--root_path', type=str, default='') parser.add_argument('--data_path', type=str, default='') ## use cGAN-generated fake data parser.add_argument('--use_fake_data', action='store_true', default=False) parser.add_argument('--fake_data_path', type=str, default='') parser.add_argument('--nfake', type=int, default=100000) parser.add_argument('--finetune', action='store_true', default=False) parser.add_argument('--init_student_path', type=str, default='') parser.add_argument('--print_freq', type=int, default=100, help='print frequency') parser.add_argument('--tb_freq', type=int, default=500, help='tb frequency') parser.add_argument('--save_freq', type=int, default=40, help='save frequency') parser.add_argument('--batch_size', type=int, default=64, help='batch_size') parser.add_argument('--num_workers', type=int, default=0, help='num of workers to use') parser.add_argument('--epochs', type=int, default=240, help='number of training epochs') parser.add_argument('--init_epochs', type=int, default=30, help='init training for two-stage methods') parser.add_argument('--resume_epoch', type=int, default=0) # optimization parser.add_argument('--learning_rate', type=float, default=0.05, help='learning rate') parser.add_argument('--lr_decay_epochs', type=str, default='150,180,210', help='where to decay lr, can be a list') parser.add_argument('--lr_decay_rate', type=float, default=0.1, help='decay rate for learning rate') parser.add_argument('--weight_decay', type=float, default=5e-4, help='weight decay') parser.add_argument('--momentum', type=float, default=0.9, help='momentum') # model parser.add_argument('--model_s', type=str, default='resnet8') parser.add_argument('--path_t', type=str, default=None, help='teacher model snapshot') # distillation parser.add_argument('--distill', type=str, default='kd', choices=['kd', 'hint', 'attention', 'similarity', 'correlation', 'vid', 'crd', 'kdsvd', 'fsp', 'rkd', 'pkt', 'abound', 'factor', 'nst']) parser.add_argument('--trial', type=str, default='1', help='trial id') parser.add_argument('-r', '--gamma', type=float, default=1, help='weight for classification') parser.add_argument('-a', '--alpha', type=float, default=None, help='weight balance for KD') parser.add_argument('-b', '--beta', type=float, default=None, help='weight balance for other losses') # KL distillation parser.add_argument('--kd_T', type=float, default=4, help='temperature for KD distillation') # NCE distillation parser.add_argument('--feat_dim', default=128, type=int, help='feature dimension') parser.add_argument('--mode', default='exact', type=str, choices=['exact', 'relax']) parser.add_argument('--nce_k', default=16384, type=int, help='number of negative samples for NCE') parser.add_argument('--nce_t', default=0.07, type=float, help='temperature parameter for softmax') parser.add_argument('--nce_m', default=0.5, type=float, help='momentum for non-parametric updates') # hint layer parser.add_argument('--hint_layer', default=2, type=int, choices=[0, 1, 2, 3, 4]) opt = parser.parse_args() # set different learning rate from these 4 models if (opt.model_s in ['MobileNetV2', 'ShuffleV1', 'ShuffleV2']) and not opt.finetune: opt.learning_rate = 0.01 iterations = opt.lr_decay_epochs.split(',') opt.lr_decay_epochs = list([]) for it in iterations: opt.lr_decay_epochs.append(int(it)) opt.model_t = get_teacher_name(opt.path_t) if (not opt.use_fake_data) or opt.nfake<=0: opt.save_folder = os.path.join(opt.root_path, 'output/student_models/vanilla') else: fake_data_name = opt.fake_data_path.split('/')[-1] opt.save_folder = os.path.join(opt.root_path, 'output/student_models/{}_useNfake_{}'.format(fake_data_name, opt.nfake)) os.makedirs(opt.save_folder, exist_ok=True) opt.model_name = 'S_{}_T_{}_{}_r_{}_a_{}_b_{}_{}'.format(opt.model_s, opt.model_t, opt.distill, opt.gamma, opt.alpha, opt.beta, opt.trial) opt.save_intrain_folder = os.path.join(opt.save_folder, 'ckpts_in_train', opt.model_name) os.makedirs(opt.save_intrain_folder, exist_ok=True) return opt def get_teacher_name(model_path): """parse teacher name""" segments = model_path.split('/')[-1].split('_') if segments[1] != 'wrn': return segments[1] else: return segments[1] + '_' + segments[2] + '_' + segments[3] def load_teacher(model_path, n_cls): print('==> loading teacher model') model_t = get_teacher_name(model_path) model = model_dict[model_t](num_classes=n_cls) model.load_state_dict(torch.load(model_path)['model']) print('==> done') return model def main(): best_acc = 0 opt = parse_option() torch.manual_seed(2021) torch.cuda.manual_seed(2021) torch.backends.cudnn.deterministic = True # dataloader if opt.distill in ['crd']: train_loader, val_loader, n_data = get_cifar100_dataloaders_sample(opt.data_path, batch_size=opt.batch_size, num_workers=opt.num_workers, k=opt.nce_k, mode=opt.mode, use_fake_data=opt.use_fake_data, fake_data_folder=opt.fake_data_path, nfake=opt.nfake) else: train_loader, val_loader, n_data = get_cifar100_dataloaders(opt.data_path, batch_size=opt.batch_size, num_workers=opt.num_workers, is_instance=True, use_fake_data=opt.use_fake_data, fake_data_folder=opt.fake_data_path, nfake=opt.nfake) n_cls = 100 # model model_t = load_teacher(opt.path_t, n_cls) model_s = model_dict[opt.model_s](num_classes=n_cls) ## student model name, how to initialize student model, etc. student_model_filename = 'S_{}_T_{}_{}_r_{}_a_{}_b_{}_epoch_{}'.format(opt.model_s, opt.model_t, opt.distill,opt.gamma, opt.alpha, opt.beta, opt.epochs) if opt.finetune: ckpt_cnn_filename = os.path.join(opt.save_folder, student_model_filename+'_finetune_True_last.pth') ## load pre-trained model checkpoint = torch.load(opt.init_student_path) model_s.load_state_dict(checkpoint['model']) else: ckpt_cnn_filename = os.path.join(opt.save_folder,student_model_filename+'_last.pth') print('\n ' + ckpt_cnn_filename) data = torch.randn(2, 3, 32, 32) model_t.eval() model_s.eval() feat_t, _ = model_t(data, is_feat=True) feat_s, _ = model_s(data, is_feat=True) module_list = nn.ModuleList([]) module_list.append(model_s) trainable_list = nn.ModuleList([]) trainable_list.append(model_s) criterion_cls = nn.CrossEntropyLoss() criterion_div = DistillKL(opt.kd_T) if opt.distill == 'kd': criterion_kd = DistillKL(opt.kd_T) elif opt.distill == 'hint': criterion_kd = HintLoss() regress_s = ConvReg(feat_s[opt.hint_layer].shape, feat_t[opt.hint_layer].shape) module_list.append(regress_s) trainable_list.append(regress_s) elif opt.distill == 'crd': opt.s_dim = feat_s[-1].shape[1] opt.t_dim = feat_t[-1].shape[1] opt.n_data = n_data criterion_kd = CRDLoss(opt) module_list.append(criterion_kd.embed_s) module_list.append(criterion_kd.embed_t) trainable_list.append(criterion_kd.embed_s) trainable_list.append(criterion_kd.embed_t) elif opt.distill == 'attention': criterion_kd = Attention() elif opt.distill == 'nst': criterion_kd = NSTLoss() elif opt.distill == 'similarity': criterion_kd = Similarity() elif opt.distill == 'rkd': criterion_kd = RKDLoss() elif opt.distill == 'pkt': criterion_kd = PKT() elif opt.distill == 'kdsvd': criterion_kd = KDSVD() elif opt.distill == 'correlation': criterion_kd = Correlation() embed_s = LinearEmbed(feat_s[-1].shape[1], opt.feat_dim) embed_t = LinearEmbed(feat_t[-1].shape[1], opt.feat_dim) module_list.append(embed_s) module_list.append(embed_t) trainable_list.append(embed_s) trainable_list.append(embed_t) elif opt.distill == 'vid': s_n = [f.shape[1] for f in feat_s[1:-1]] t_n = [f.shape[1] for f in feat_t[1:-1]] criterion_kd = nn.ModuleList( [VIDLoss(s, t, t) for s, t in zip(s_n, t_n)] ) # add this as some parameters in VIDLoss need to be updated trainable_list.append(criterion_kd) elif opt.distill == 'abound': s_shapes = [f.shape for f in feat_s[1:-1]] t_shapes = [f.shape for f in feat_t[1:-1]] connector = Connector(s_shapes, t_shapes) # init stage training init_trainable_list = nn.ModuleList([]) init_trainable_list.append(connector) init_trainable_list.append(model_s.get_feat_modules()) criterion_kd = ABLoss(len(feat_s[1:-1])) init(model_s, model_t, init_trainable_list, criterion_kd, train_loader, opt) # classification module_list.append(connector) elif opt.distill == 'factor': s_shape = feat_s[-2].shape t_shape = feat_t[-2].shape paraphraser = Paraphraser(t_shape) translator = Translator(s_shape, t_shape) # init stage training init_trainable_list = nn.ModuleList([]) init_trainable_list.append(paraphraser) criterion_init = nn.MSELoss() init(model_s, model_t, init_trainable_list, criterion_init, train_loader, opt) # classification criterion_kd = FactorTransfer() module_list.append(translator) module_list.append(paraphraser) trainable_list.append(translator) elif opt.distill == 'fsp': s_shapes = [s.shape for s in feat_s[:-1]] t_shapes = [t.shape for t in feat_t[:-1]] criterion_kd = FSP(s_shapes, t_shapes) # init stage training init_trainable_list = nn.ModuleList([]) init_trainable_list.append(model_s.get_feat_modules()) init(model_s, model_t, init_trainable_list, criterion_kd, train_loader, opt) # classification training pass else: raise NotImplementedError(opt.distill) criterion_list = nn.ModuleList([]) criterion_list.append(criterion_cls) # classification loss criterion_list.append(criterion_div) # KL divergence loss, original knowledge distillation criterion_list.append(criterion_kd) # other knowledge distillation loss # optimizer optimizer = optim.SGD(trainable_list.parameters(), lr=opt.learning_rate, momentum=opt.momentum, weight_decay=opt.weight_decay) # append teacher after optimizer to avoid weight_decay module_list.append(model_t) if torch.cuda.is_available(): module_list.cuda() criterion_list.cuda() cudnn.benchmark = True # validate teacher accuracy teacher_acc, _, _ = validate(val_loader, model_t, criterion_cls, opt) print('teacher accuracy: ', teacher_acc) if not os.path.isfile(ckpt_cnn_filename): print("\n Start training the {} >>>".format(opt.model_s)) ## resume training if opt.resume_epoch>0: save_file = opt.save_intrain_folder + "/ckpt_{}_epoch_{}.pth".format(opt.model_s, opt.resume_epoch) checkpoint = torch.load(save_file) model_s.load_state_dict(checkpoint['model']) optimizer.load_state_dict(checkpoint['optimizer']) module_list.load_state_dict(checkpoint['module_list']) trainable_list.load_state_dict(checkpoint['trainable_list']) criterion_list.load_state_dict(checkpoint['criterion_list']) # module_list = checkpoint['module_list'] # criterion_list = checkpoint['criterion_list'] # # trainable_list = checkpoint['trainable_list'] # ckpt_test_accuracy = checkpoint['accuracy'] # ckpt_epoch = checkpoint['epoch'] # print('\n Resume training: epoch {}, test_acc {}...'.format(ckpt_epoch, ckpt_test_accuracy)) if torch.cuda.is_available(): module_list.cuda() criterion_list.cuda() #end if for epoch in range(opt.resume_epoch, opt.epochs): adjust_learning_rate(epoch, opt, optimizer) print("==> training...") time1 = time.time() train_acc, train_loss = train(epoch, train_loader, module_list, criterion_list, optimizer, opt) time2 = time.time() print('epoch {}, total time {:.2f}'.format(epoch, time2 - time1)) test_acc, tect_acc_top5, test_loss = validate(val_loader, model_s, criterion_cls, opt) # regular saving if (epoch+1) % opt.save_freq == 0: print('==> Saving...') state = { 'epoch': epoch, 'model': model_s.state_dict(), 'optimizer': optimizer.state_dict(), 'module_list': module_list.state_dict(), 'criterion_list': criterion_list.state_dict(), 'trainable_list': trainable_list.state_dict(), 'accuracy': test_acc, } save_file = os.path.join(opt.save_intrain_folder, 'ckpt_{}_epoch_{}.pth'.format(opt.model_s, epoch+1)) torch.save(state, save_file) ##end for epoch # store model torch.save({ 'opt':opt, 'model': model_s.state_dict(), }, ckpt_cnn_filename) print("\n End training CNN.") else: print("\n Loading pre-trained {}.".format(opt.model_s)) checkpoint = torch.load(ckpt_cnn_filename) model_s.load_state_dict(checkpoint['model']) test_acc, test_acc_top5, _ = validate(val_loader, model_s, criterion_cls, opt) print("\n {}, test_acc:{:.3f}, test_acc_top5:{:.3f}.".format(opt.model_s, test_acc, test_acc_top5)) eval_results_fullpath = opt.save_folder + "/test_result_" + opt.model_name + ".txt" if not os.path.isfile(eval_results_fullpath): eval_results_logging_file = open(eval_results_fullpath, "w") eval_results_logging_file.close() with open(eval_results_fullpath, 'a') as eval_results_logging_file: eval_results_logging_file.write("\n===================================================================================================") eval_results_logging_file.write("\n Test results for {} \n".format(opt.model_name)) print(opt, file=eval_results_logging_file) eval_results_logging_file.write("\n Test accuracy: Top1 {:.3f}, Top5 {:.3f}.".format(test_acc, test_acc_top5)) eval_results_logging_file.write("\n Test error rate: Top1 {:.3f}, Top5 {:.3f}.".format(100-test_acc, 100-test_acc_top5)) if __name__ == '__main__': print("\n ===================================================================================================") main() print("\n ===================================================================================================")
16,951
42.466667
162
py
cGAN-KD
cGAN-KD-main/CIFAR-100/RepDistiller/train_teacher.py
from __future__ import print_function import os import argparse import socket import time # import tensorboard_logger as tb_logger import torch import torch.optim as optim import torch.nn as nn import torch.backends.cudnn as cudnn from models import model_dict from dataset.cifar100 import get_cifar100_dataloaders from helper.util import adjust_learning_rate, accuracy, AverageMeter from helper.loops import train_vanilla as train, validate def parse_option(): hostname = socket.gethostname() parser = argparse.ArgumentParser('argument for training') parser.add_argument('--root_path', type=str, default='') parser.add_argument('--data_path', type=str, default='') ## use cGAN-generated fake data parser.add_argument('--use_fake_data', action='store_true', default=False) parser.add_argument('--fake_data_path', type=str, default='') parser.add_argument('--nfake', type=int, default=100000) parser.add_argument('--finetune', action='store_true', default=False) parser.add_argument('--init_model_path', type=str, default='') parser.add_argument('--print_freq', type=int, default=100, help='print frequency') parser.add_argument('--save_freq', type=int, default=40, help='save frequency') parser.add_argument('--batch_size', type=int, default=64, help='batch_size') parser.add_argument('--num_workers', type=int, default=0, help='num of workers to use') parser.add_argument('--epochs', type=int, default=240, help='number of training epochs') parser.add_argument('--resume_epoch', type=int, default=0) # optimization parser.add_argument('--learning_rate', type=float, default=0.05, help='learning rate') parser.add_argument('--lr_decay_epochs', type=str, default='150,180,210', help='where to decay lr, can be a list') parser.add_argument('--lr_decay_rate', type=float, default=0.1, help='decay rate for learning rate') parser.add_argument('--weight_decay', type=float, default=5e-4, help='weight decay') parser.add_argument('--momentum', type=float, default=0.9, help='momentum') parser.add_argument('--model', type=str, default='resnet110') parser.add_argument('-t', '--trial', type=int, default=0, help='the experiment id') opt = parser.parse_args() # set different learning rate from these 4 models if (opt.model in ['MobileNetV2', 'ShuffleV1', 'ShuffleV2']) and not opt.finetune: opt.learning_rate = 0.01 iterations = opt.lr_decay_epochs.split(',') opt.lr_decay_epochs = list([]) for it in iterations: opt.lr_decay_epochs.append(int(it)) if (not opt.use_fake_data) or opt.nfake<=0: opt.save_folder = os.path.join(opt.root_path, 'output/teacher_models/vanilla') opt.model_name = '{}_lr_{}_decay_{}_trial_{}'.format(opt.model, opt.learning_rate, opt.weight_decay, opt.trial) else: fake_data_name = opt.fake_data_path.split('/')[-1] opt.save_folder = os.path.join(opt.root_path, 'output/teacher_models/{}_useNfake_{}'.format(fake_data_name, opt.nfake)) opt.model_name = '{}_lr_{}_decay_{}_finetune_{}_trial_{}'.format(opt.model, opt.learning_rate, opt.weight_decay, opt.finetune, opt.trial) os.makedirs(opt.save_folder, exist_ok=True) return opt def main(): # best_acc = 0 opt = parse_option() # dataloader train_loader, val_loader = get_cifar100_dataloaders(opt.data_path, batch_size=opt.batch_size, num_workers=opt.num_workers, use_fake_data=opt.use_fake_data, fake_data_folder=opt.fake_data_path, nfake=opt.nfake) n_cls = 100 # model model = model_dict[opt.model](num_classes=n_cls) # optimizer optimizer = optim.SGD(model.parameters(), lr=opt.learning_rate, momentum=opt.momentum, weight_decay=opt.weight_decay) criterion = nn.CrossEntropyLoss() if torch.cuda.is_available(): model = model.cuda() criterion = criterion.cuda() cudnn.benchmark = True if opt.finetune: ckpt_cnn_filename = os.path.join(opt.save_folder, 'ckpt_{}_epoch_{}_finetune_True_last.pth'.format(opt.model, opt.epochs)) ## load pre-trained model checkpoint = torch.load(opt.init_model_path) model.load_state_dict(checkpoint['model']) else: ckpt_cnn_filename = os.path.join(opt.save_folder, 'ckpt_{}_epoch_{}_last.pth'.format(opt.model, opt.epochs)) print('\n ' + ckpt_cnn_filename) if not os.path.isfile(ckpt_cnn_filename): print("\n Start training the {} >>>".format(opt.model)) opt.save_intrain_folder = os.path.join(opt.save_folder, 'ckpts_in_train', opt.model_name) os.makedirs(opt.save_intrain_folder, exist_ok=True) if opt.resume_epoch>0: save_file = opt.save_intrain_folder + "/ckpt_{}_epoch_{}.pth".format(opt.model, opt.resume_epoch) checkpoint = torch.load(save_file) model.load_state_dict(checkpoint['model']) optimizer.load_state_dict(checkpoint['optimizer']) #end if for epoch in range(opt.resume_epoch, opt.epochs): adjust_learning_rate(epoch, opt, optimizer) print("==> training...") time1 = time.time() train_acc, train_loss = train(epoch, train_loader, model, criterion, optimizer, opt) test_acc, test_acc_top5, test_loss = validate(val_loader, model, criterion, opt) time2 = time.time() print('\r epoch {}/{}: train_acc:{:.3f}, test_acc:{:.3f}, total time {:.2f}'.format(epoch+1, opt.epochs, train_acc, test_acc, time2 - time1)) # regular saving if (epoch+1) % opt.save_freq == 0: print('==> Saving...') state = { 'model': model.state_dict(), 'optimizer': optimizer.state_dict(), 'accuracy': test_acc, } save_file = os.path.join(opt.save_intrain_folder, 'ckpt_{}_epoch_{}.pth'.format(opt.model, epoch+1)) torch.save(state, save_file) ##end for epoch # store model torch.save({ 'opt':opt, 'model': model.state_dict(), }, ckpt_cnn_filename) print("\n End training CNN.") else: print("\n Loading pre-trained {}.".format(opt.model)) checkpoint = torch.load(ckpt_cnn_filename) model.load_state_dict(checkpoint['model']) test_acc, test_acc_top5, _ = validate(val_loader, model, criterion, opt) print("\n {}, test_acc:{:.3f}, test_acc_top5:{:.3f}.".format(opt.model, test_acc, test_acc_top5)) eval_results_fullpath = opt.save_folder + "/test_result_" + opt.model_name + ".txt" if not os.path.isfile(eval_results_fullpath): eval_results_logging_file = open(eval_results_fullpath, "w") eval_results_logging_file.close() with open(eval_results_fullpath, 'a') as eval_results_logging_file: eval_results_logging_file.write("\n===================================================================================================") eval_results_logging_file.write("\n Test results for {} \n".format(opt.model_name)) print(opt, file=eval_results_logging_file) eval_results_logging_file.write("\n Test accuracy: Top1 {:.3f}, Top5 {:.3f}.".format(test_acc, test_acc_top5)) eval_results_logging_file.write("\n Test error rate: Top1 {:.3f}, Top5 {:.3f}.".format(100-test_acc, 100-test_acc_top5)) if __name__ == '__main__': main()
7,738
41.756906
213
py
cGAN-KD
cGAN-KD-main/CIFAR-100/RepDistiller/dataset/cifar100.py
from __future__ import print_function import os import socket import numpy as np from torch.utils.data import DataLoader from torchvision import datasets, transforms from PIL import Image import h5py import torch import gc """ mean = { 'cifar100': (0.5071, 0.4867, 0.4408), } std = { 'cifar100': (0.2675, 0.2565, 0.2761), } """ ## for vanilla CNN training and KD other than CRD class IMGs_dataset(torch.utils.data.Dataset): def __init__(self, images, labels=None, transform=None, is_instance=False): super(IMGs_dataset, self).__init__() self.images = images self.n_images = len(self.images) self.labels = labels self.is_instance = is_instance if labels is not None: if len(self.images) != len(self.labels): raise Exception('images (' + str(len(self.images)) +') and labels ('+str(len(self.labels))+') do not have the same length!!!') self.transform = transform def __getitem__(self, index): ## for RGB only image = self.images[index] if self.transform is not None: image = np.transpose(image, (1, 2, 0)) #C * H * W ----> H * W * C image = Image.fromarray(np.uint8(image), mode = 'RGB') #H * W * C image = self.transform(image) if self.labels is not None: label = self.labels[index] if self.is_instance: return image, label, index else: return image, label return image def __len__(self): return self.n_images def get_cifar100_dataloaders(data_folder, batch_size=128, num_workers=0, is_instance=False, use_fake_data=False, fake_data_folder=None, nfake=1e30): """ cifar 100 """ train_transform = transforms.Compose([ transforms.RandomCrop(32, padding=4), transforms.RandomHorizontalFlip(), transforms.ToTensor(), transforms.Normalize((0.5071, 0.4867, 0.4408), (0.2675, 0.2565, 0.2761)), ]) test_transform = transforms.Compose([ transforms.ToTensor(), transforms.Normalize((0.5071, 0.4867, 0.4408), (0.2675, 0.2565, 0.2761)), ]) ## get real data train_set = datasets.CIFAR100(root=data_folder, download=True, train=True, transform=train_transform) real_images = train_set.data real_images = np.transpose(real_images, (0, 3, 1, 2)) real_labels = np.array(train_set.targets) num_classes=100 if use_fake_data: ## load fake data with h5py.File(fake_data_folder, "r") as f: train_images = f['fake_images'][:] train_labels = f['fake_labels'][:] train_labels = train_labels.astype(int) if nfake<len(train_labels): indx_fake = [] for i in range(num_classes): indx_fake_i = np.where(train_labels==i)[0] if i != (num_classes-1): nfake_i = nfake//num_classes else: nfake_i = nfake-(nfake//num_classes)*i indx_fake_i = np.random.choice(indx_fake_i, size=min(int(nfake_i), len(indx_fake_i)), replace=False) indx_fake.append(indx_fake_i) #end for i indx_fake = np.concatenate(indx_fake) train_images = train_images[indx_fake] train_labels = train_labels[indx_fake] ## concatenate train_images = np.concatenate((real_images, train_images), axis=0) train_labels = np.concatenate((real_labels, train_labels), axis=0) train_labels = train_labels.astype(int) ## compute normalizing constants train_means = [] train_stds = [] for i in range(3): images_i = train_images[:,i,:,:] images_i = images_i/255.0 train_means.append(np.mean(images_i)) train_stds.append(np.std(images_i)) ## for i print("\n Final training set's dimensiona: ", train_images.shape) ## make training set train_transform = transforms.Compose([ transforms.RandomCrop(32, padding=4), transforms.RandomHorizontalFlip(), transforms.ToTensor(), transforms.Normalize(train_means, train_stds), ]) test_transform = transforms.Compose([ transforms.ToTensor(), transforms.Normalize(train_means, train_stds), ]) train_set = IMGs_dataset(train_images, train_labels, transform=train_transform, is_instance=is_instance) assert len(train_set)==len(train_images) del train_images, train_labels; gc.collect() else: train_set = IMGs_dataset(real_images, real_labels, transform=train_transform, is_instance=is_instance) train_loader = DataLoader(train_set, batch_size=batch_size, shuffle=True, num_workers=num_workers) test_set = datasets.CIFAR100(root=data_folder, download=True, train=False, transform=test_transform) test_loader = DataLoader(test_set, batch_size=100, shuffle=False, num_workers=num_workers) if is_instance: n_data = len(train_set) return train_loader, test_loader, n_data else: return train_loader, test_loader ## for CRD class IMGs_dataset_CRD(torch.utils.data.Dataset): def __init__(self, images, labels, transform=None, k=4096, mode='exact', is_sample=True, percent=1.0): super(IMGs_dataset_CRD, self).__init__() self.images = images self.n_images = len(self.images) self.labels = labels if len(self.images) != len(self.labels): raise Exception('images (' + str(len(self.images)) +') and labels ('+str(len(self.labels))+') do not have the same length!!!') self.transform = transform self.k = k self.mode = mode self.is_sample = is_sample num_classes = 100 num_samples = len(labels) self.cls_positive = [[] for i in range(num_classes)] for i in range(num_samples): self.cls_positive[labels[i]].append(i) self.cls_negative = [[] for i in range(num_classes)] for i in range(num_classes): for j in range(num_classes): if j == i: continue self.cls_negative[i].extend(self.cls_positive[j]) self.cls_positive = [np.asarray(self.cls_positive[i]) for i in range(num_classes)] self.cls_negative = [np.asarray(self.cls_negative[i]) for i in range(num_classes)] if 0 < percent < 1: n = int(len(self.cls_negative[0]) * percent) self.cls_negative = [np.random.permutation(self.cls_negative[i])[0:n] for i in range(num_classes)] self.cls_positive = np.asarray(self.cls_positive) self.cls_negative = np.asarray(self.cls_negative) def __getitem__(self, index): ## for RGB only image = self.images[index] if self.transform is not None: image = np.transpose(image, (1, 2, 0)) #C * H * W ----> H * W * C image = Image.fromarray(np.uint8(image), mode = 'RGB') #H * W * C image = self.transform(image) label = self.labels[index] if not self.is_sample: # directly return return image, label, index else: # sample contrastive examples if self.mode == 'exact': pos_idx = index elif self.mode == 'relax': pos_idx = np.random.choice(self.cls_positive[label], 1) pos_idx = pos_idx[0] else: raise NotImplementedError(self.mode) replace = True if self.k > len(self.cls_negative[label]) else False neg_idx = np.random.choice(self.cls_negative[label], self.k, replace=replace) sample_idx = np.hstack((np.asarray([pos_idx]), neg_idx)) return image, label, index, sample_idx def __len__(self): return self.n_images def get_cifar100_dataloaders_sample(data_folder, batch_size=128, num_workers=0, k=4096, mode='exact', is_sample=True, percent=1.0, use_fake_data=False, fake_data_folder=None, nfake=1e30): """ cifar 100 """ train_transform = transforms.Compose([ transforms.RandomCrop(32, padding=4), transforms.RandomHorizontalFlip(), transforms.ToTensor(), transforms.Normalize((0.5071, 0.4867, 0.4408), (0.2675, 0.2565, 0.2761)), ]) test_transform = transforms.Compose([ transforms.ToTensor(), transforms.Normalize((0.5071, 0.4867, 0.4408), (0.2675, 0.2565, 0.2761)), ]) ## get real data train_set = datasets.CIFAR100(root=data_folder, download=True, train=True, transform=train_transform) real_images = train_set.data real_images = np.transpose(real_images, (0, 3, 1, 2)) real_labels = np.array(train_set.targets) num_classes=100 if use_fake_data: ## load fake data with h5py.File(fake_data_folder, "r") as f: train_images = f['fake_images'][:] train_labels = f['fake_labels'][:] train_labels = train_labels.astype(int) if nfake<len(train_labels): indx_fake = [] for i in range(num_classes): indx_fake_i = np.where(train_labels==i)[0] if i != (num_classes-1): nfake_i = nfake//num_classes else: nfake_i = nfake-(nfake//num_classes)*i indx_fake_i = np.random.choice(indx_fake_i, size=min(int(nfake_i), len(indx_fake_i)), replace=False) indx_fake.append(indx_fake_i) #end for i indx_fake = np.concatenate(indx_fake) train_images = train_images[indx_fake] train_labels = train_labels[indx_fake] ## concatenate train_images = np.concatenate((real_images, train_images), axis=0) train_labels = np.concatenate((real_labels, train_labels), axis=0) train_labels = train_labels.astype(int) ## compute normalizing constants train_means = [] train_stds = [] for i in range(3): images_i = train_images[:,i,:,:] images_i = images_i/255.0 train_means.append(np.mean(images_i)) train_stds.append(np.std(images_i)) ## for i print("\n Final training set's dimensiona: ", train_images.shape) ## make training set train_transform = transforms.Compose([ transforms.RandomCrop(32, padding=4), transforms.RandomHorizontalFlip(), transforms.ToTensor(), transforms.Normalize(train_means, train_stds), ]) test_transform = transforms.Compose([ transforms.ToTensor(), transforms.Normalize(train_means, train_stds), ]) train_set = IMGs_dataset_CRD(train_images, train_labels, transform=train_transform, k=k, mode=mode, is_sample=is_sample, percent=percent) assert len(train_set)==len(train_images) del train_images, train_labels; gc.collect() else: train_set = IMGs_dataset_CRD(real_images, real_labels, transform=train_transform, k=k, mode=mode, is_sample=is_sample, percent=percent) n_data = len(train_set) train_loader = DataLoader(train_set, batch_size=batch_size, shuffle=True, num_workers=num_workers) test_set = datasets.CIFAR100(root=data_folder, download=True, train=False, transform=test_transform) test_loader = DataLoader(test_set, batch_size=100, shuffle=False, num_workers=num_workers) return train_loader, test_loader, n_data
12,737
35.394286
148
py
cGAN-KD
cGAN-KD-main/CIFAR-100/RepDistiller/dataset/imagenet.py
""" get data loaders """ from __future__ import print_function import os import socket import numpy as np from torch.utils.data import DataLoader from torchvision import datasets from torchvision import transforms def get_data_folder(): """ return server-dependent path to store the data """ hostname = socket.gethostname() if hostname.startswith('visiongpu'): data_folder = '/data/vision/phillipi/rep-learn/datasets/imagenet' elif hostname.startswith('yonglong-home'): data_folder = '/home/yonglong/Data/data/imagenet' else: data_folder = './data/imagenet' if not os.path.isdir(data_folder): os.makedirs(data_folder) return data_folder class ImageFolderInstance(datasets.ImageFolder): """: Folder datasets which returns the index of the image as well:: """ def __getitem__(self, index): """ Args: index (int): Index Returns: tuple: (image, target) where target is class_index of the target class. """ path, target = self.imgs[index] img = self.loader(path) if self.transform is not None: img = self.transform(img) if self.target_transform is not None: target = self.target_transform(target) return img, target, index class ImageFolderSample(datasets.ImageFolder): """: Folder datasets which returns (img, label, index, contrast_index): """ def __init__(self, root, transform=None, target_transform=None, is_sample=False, k=4096): super().__init__(root=root, transform=transform, target_transform=target_transform) self.k = k self.is_sample = is_sample print('stage1 finished!') if self.is_sample: num_classes = len(self.classes) num_samples = len(self.samples) label = np.zeros(num_samples, dtype=np.int32) for i in range(num_samples): path, target = self.imgs[i] label[i] = target self.cls_positive = [[] for i in range(num_classes)] for i in range(num_samples): self.cls_positive[label[i]].append(i) self.cls_negative = [[] for i in range(num_classes)] for i in range(num_classes): for j in range(num_classes): if j == i: continue self.cls_negative[i].extend(self.cls_positive[j]) self.cls_positive = [np.asarray(self.cls_positive[i], dtype=np.int32) for i in range(num_classes)] self.cls_negative = [np.asarray(self.cls_negative[i], dtype=np.int32) for i in range(num_classes)] print('dataset initialized!') def __getitem__(self, index): """ Args: index (int): Index Returns: tuple: (image, target) where target is class_index of the target class. """ path, target = self.imgs[index] img = self.loader(path) if self.transform is not None: img = self.transform(img) if self.target_transform is not None: target = self.target_transform(target) if self.is_sample: # sample contrastive examples pos_idx = index neg_idx = np.random.choice(self.cls_negative[target], self.k, replace=True) sample_idx = np.hstack((np.asarray([pos_idx]), neg_idx)) return img, target, index, sample_idx else: return img, target, index def get_test_loader(dataset='imagenet', batch_size=128, num_workers=8): """get the test data loader""" if dataset == 'imagenet': data_folder = get_data_folder() else: raise NotImplementedError('dataset not supported: {}'.format(dataset)) normalize = transforms.Normalize(mean=[0.485, 0.456, 0.406], std=[0.229, 0.224, 0.225]) test_transform = transforms.Compose([ transforms.Resize(256), transforms.CenterCrop(224), transforms.ToTensor(), normalize, ]) test_folder = os.path.join(data_folder, 'val') test_set = datasets.ImageFolder(test_folder, transform=test_transform) test_loader = DataLoader(test_set, batch_size=batch_size, shuffle=False, num_workers=num_workers, pin_memory=True) return test_loader def get_dataloader_sample(dataset='imagenet', batch_size=128, num_workers=8, is_sample=False, k=4096): """Data Loader for ImageNet""" if dataset == 'imagenet': data_folder = get_data_folder() else: raise NotImplementedError('dataset not supported: {}'.format(dataset)) # add data transform normalize = transforms.Normalize(mean=[0.485, 0.456, 0.406], std=[0.229, 0.224, 0.225]) train_transform = transforms.Compose([ transforms.RandomResizedCrop(224), transforms.RandomHorizontalFlip(), transforms.ToTensor(), normalize, ]) test_transform = transforms.Compose([ transforms.Resize(256), transforms.CenterCrop(224), transforms.ToTensor(), normalize, ]) train_folder = os.path.join(data_folder, 'train') test_folder = os.path.join(data_folder, 'val') train_set = ImageFolderSample(train_folder, transform=train_transform, is_sample=is_sample, k=k) test_set = datasets.ImageFolder(test_folder, transform=test_transform) train_loader = DataLoader(train_set, batch_size=batch_size, shuffle=True, num_workers=num_workers, pin_memory=True) test_loader = DataLoader(test_set, batch_size=batch_size, shuffle=False, num_workers=num_workers, pin_memory=True) print('num_samples', len(train_set.samples)) print('num_class', len(train_set.classes)) return train_loader, test_loader, len(train_set), len(train_set.classes) def get_imagenet_dataloader(dataset='imagenet', batch_size=128, num_workers=16, is_instance=False): """ Data Loader for imagenet """ if dataset == 'imagenet': data_folder = get_data_folder() else: raise NotImplementedError('dataset not supported: {}'.format(dataset)) normalize = transforms.Normalize(mean=[0.485, 0.456, 0.406], std=[0.229, 0.224, 0.225]) train_transform = transforms.Compose([ transforms.RandomResizedCrop(224), transforms.RandomHorizontalFlip(), transforms.ToTensor(), normalize, ]) test_transform = transforms.Compose([ transforms.Resize(256), transforms.CenterCrop(224), transforms.ToTensor(), normalize, ]) train_folder = os.path.join(data_folder, 'train') test_folder = os.path.join(data_folder, 'val') if is_instance: train_set = ImageFolderInstance(train_folder, transform=train_transform) n_data = len(train_set) else: train_set = datasets.ImageFolder(train_folder, transform=train_transform) test_set = datasets.ImageFolder(test_folder, transform=test_transform) train_loader = DataLoader(train_set, batch_size=batch_size, shuffle=True, num_workers=num_workers, pin_memory=True) test_loader = DataLoader(test_set, batch_size=batch_size, shuffle=False, num_workers=num_workers//2, pin_memory=True) if is_instance: return train_loader, test_loader, n_data else: return train_loader, test_loader
8,053
32.983122
110
py
cGAN-KD
cGAN-KD-main/CIFAR-100/RepDistiller/models/efficientnet.py
'''EfficientNet in PyTorch. Paper: "EfficientNet: Rethinking Model Scaling for Convolutional Neural Networks". Reference: https://github.com/keras-team/keras-applications/blob/master/keras_applications/efficientnet.py ''' import torch import torch.nn as nn import torch.nn.functional as F def swish(x): return x * x.sigmoid() def drop_connect(x, drop_ratio): keep_ratio = 1.0 - drop_ratio mask = torch.empty([x.shape[0], 1, 1, 1], dtype=x.dtype, device=x.device) mask.bernoulli_(keep_ratio) x.div_(keep_ratio) x.mul_(mask) return x class SE(nn.Module): '''Squeeze-and-Excitation block with Swish.''' def __init__(self, in_channels, se_channels): super(SE, self).__init__() self.se1 = nn.Conv2d(in_channels, se_channels, kernel_size=1, bias=True) self.se2 = nn.Conv2d(se_channels, in_channels, kernel_size=1, bias=True) def forward(self, x): out = F.adaptive_avg_pool2d(x, (1, 1)) out = swish(self.se1(out)) out = self.se2(out).sigmoid() out = x * out return out class Block(nn.Module): '''expansion + depthwise + pointwise + squeeze-excitation''' def __init__(self, in_channels, out_channels, kernel_size, stride, expand_ratio=1, se_ratio=0., drop_rate=0.): super(Block, self).__init__() self.stride = stride self.drop_rate = drop_rate self.expand_ratio = expand_ratio # Expansion channels = expand_ratio * in_channels self.conv1 = nn.Conv2d(in_channels, channels, kernel_size=1, stride=1, padding=0, bias=False) self.bn1 = nn.BatchNorm2d(channels) # Depthwise conv self.conv2 = nn.Conv2d(channels, channels, kernel_size=kernel_size, stride=stride, padding=(1 if kernel_size == 3 else 2), groups=channels, bias=False) self.bn2 = nn.BatchNorm2d(channels) # SE layers se_channels = int(in_channels * se_ratio) self.se = SE(channels, se_channels) # Output self.conv3 = nn.Conv2d(channels, out_channels, kernel_size=1, stride=1, padding=0, bias=False) self.bn3 = nn.BatchNorm2d(out_channels) # Skip connection if in and out shapes are the same (MV-V2 style) self.has_skip = (stride == 1) and (in_channels == out_channels) def forward(self, x): out = x if self.expand_ratio == 1 else swish(self.bn1(self.conv1(x))) out = swish(self.bn2(self.conv2(out))) out = self.se(out) out = self.bn3(self.conv3(out)) if self.has_skip: if self.training and self.drop_rate > 0: out = drop_connect(out, self.drop_rate) out = out + x return out class EfficientNet(nn.Module): def __init__(self, cfg, num_classes=10): super(EfficientNet, self).__init__() self.cfg = cfg self.conv1 = nn.Conv2d(3, 32, kernel_size=3, stride=1, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(32) self.layers = self._make_layers(in_channels=32) self.linear = nn.Linear(cfg['out_channels'][-1], num_classes) def _make_layers(self, in_channels): layers = [] cfg = [self.cfg[k] for k in ['expansion', 'out_channels', 'num_blocks', 'kernel_size', 'stride']] b = 0 blocks = sum(self.cfg['num_blocks']) for expansion, out_channels, num_blocks, kernel_size, stride in zip(*cfg): strides = [stride] + [1] * (num_blocks - 1) for stride in strides: drop_rate = self.cfg['drop_connect_rate'] * b / blocks layers.append( Block(in_channels, out_channels, kernel_size, stride, expansion, se_ratio=0.25, drop_rate=drop_rate)) in_channels = out_channels return nn.Sequential(*layers) def forward(self, x): out = swish(self.bn1(self.conv1(x))) out = self.layers(out) out = F.adaptive_avg_pool2d(out, 1) out = out.view(out.size(0), -1) dropout_rate = self.cfg['dropout_rate'] if self.training and dropout_rate > 0: out = F.dropout(out, p=dropout_rate) out = self.linear(out) return out def EfficientNetB0(num_classes=10): cfg = { 'num_blocks': [1, 2, 2, 3, 3, 4, 1], 'expansion': [1, 6, 6, 6, 6, 6, 6], 'out_channels': [16, 24, 40, 80, 112, 192, 320], 'kernel_size': [3, 3, 5, 3, 5, 5, 3], 'stride': [1, 2, 2, 2, 1, 2, 1], 'dropout_rate': 0.2, 'drop_connect_rate': 0.2, } return EfficientNet(cfg, num_classes=num_classes) def test(): net = EfficientNetB0() x = torch.randn(2, 3, 32, 32) y = net(x) print(y.shape) if __name__ == '__main__': test()
5,755
32.271676
106
py
cGAN-KD
cGAN-KD-main/CIFAR-100/RepDistiller/models/resnet.py
from __future__ import absolute_import '''Resnet for cifar dataset. Ported form https://github.com/facebook/fb.resnet.torch and https://github.com/pytorch/vision/blob/master/torchvision/models/resnet.py (c) YANG, Wei ''' import torch.nn as nn import torch.nn.functional as F import math __all__ = ['resnet'] def conv3x3(in_planes, out_planes, stride=1): """3x3 convolution with padding""" return nn.Conv2d(in_planes, out_planes, kernel_size=3, stride=stride, padding=1, bias=False) class BasicBlock(nn.Module): expansion = 1 def __init__(self, inplanes, planes, stride=1, downsample=None, is_last=False): super(BasicBlock, self).__init__() self.is_last = is_last self.conv1 = conv3x3(inplanes, planes, stride) self.bn1 = nn.BatchNorm2d(planes) self.relu = nn.ReLU(inplace=True) self.conv2 = conv3x3(planes, planes) self.bn2 = nn.BatchNorm2d(planes) self.downsample = downsample self.stride = stride def forward(self, x): residual = x out = self.conv1(x) out = self.bn1(out) out = self.relu(out) out = self.conv2(out) out = self.bn2(out) if self.downsample is not None: residual = self.downsample(x) out += residual preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class Bottleneck(nn.Module): expansion = 4 def __init__(self, inplanes, planes, stride=1, downsample=None, is_last=False): super(Bottleneck, self).__init__() self.is_last = is_last self.conv1 = nn.Conv2d(inplanes, planes, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = nn.Conv2d(planes, planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(planes) self.conv3 = nn.Conv2d(planes, planes * 4, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(planes * 4) self.relu = nn.ReLU(inplace=True) self.downsample = downsample self.stride = stride def forward(self, x): residual = x out = self.conv1(x) out = self.bn1(out) out = self.relu(out) out = self.conv2(out) out = self.bn2(out) out = self.relu(out) out = self.conv3(out) out = self.bn3(out) if self.downsample is not None: residual = self.downsample(x) out += residual preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class ResNet(nn.Module): def __init__(self, depth, num_filters, block_name='BasicBlock', num_classes=10): super(ResNet, self).__init__() # Model type specifies number of layers for CIFAR-10 model if block_name.lower() == 'basicblock': assert (depth - 2) % 6 == 0, 'When use basicblock, depth should be 6n+2, e.g. 20, 32, 44, 56, 110, 1202' n = (depth - 2) // 6 block = BasicBlock elif block_name.lower() == 'bottleneck': assert (depth - 2) % 9 == 0, 'When use bottleneck, depth should be 9n+2, e.g. 20, 29, 47, 56, 110, 1199' n = (depth - 2) // 9 block = Bottleneck else: raise ValueError('block_name shoule be Basicblock or Bottleneck') self.inplanes = num_filters[0] self.conv1 = nn.Conv2d(3, num_filters[0], kernel_size=3, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(num_filters[0]) self.relu = nn.ReLU(inplace=True) self.layer1 = self._make_layer(block, num_filters[1], n) self.layer2 = self._make_layer(block, num_filters[2], n, stride=2) self.layer3 = self._make_layer(block, num_filters[3], n, stride=2) self.avgpool = nn.AvgPool2d(8) self.fc = nn.Linear(num_filters[3] * block.expansion, num_classes) for m in self.modules(): if isinstance(m, nn.Conv2d): nn.init.kaiming_normal_(m.weight, mode='fan_out', nonlinearity='relu') elif isinstance(m, (nn.BatchNorm2d, nn.GroupNorm)): nn.init.constant_(m.weight, 1) nn.init.constant_(m.bias, 0) def _make_layer(self, block, planes, blocks, stride=1): downsample = None if stride != 1 or self.inplanes != planes * block.expansion: downsample = nn.Sequential( nn.Conv2d(self.inplanes, planes * block.expansion, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(planes * block.expansion), ) layers = list([]) layers.append(block(self.inplanes, planes, stride, downsample, is_last=(blocks == 1))) self.inplanes = planes * block.expansion for i in range(1, blocks): layers.append(block(self.inplanes, planes, is_last=(i == blocks-1))) return nn.Sequential(*layers) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.relu) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) return feat_m def get_bn_before_relu(self): if isinstance(self.layer1[0], Bottleneck): bn1 = self.layer1[-1].bn3 bn2 = self.layer2[-1].bn3 bn3 = self.layer3[-1].bn3 elif isinstance(self.layer1[0], BasicBlock): bn1 = self.layer1[-1].bn2 bn2 = self.layer2[-1].bn2 bn3 = self.layer3[-1].bn2 else: raise NotImplementedError('ResNet unknown block error !!!') return [bn1, bn2, bn3] def forward(self, x, is_feat=False, preact=False): x = self.conv1(x) x = self.bn1(x) x = self.relu(x) # 32x32 f0 = x x, f1_pre = self.layer1(x) # 32x32 f1 = x x, f2_pre = self.layer2(x) # 16x16 f2 = x x, f3_pre = self.layer3(x) # 8x8 f3 = x x = self.avgpool(x) x = x.view(x.size(0), -1) f4 = x x = self.fc(x) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4], x else: return [f0, f1, f2, f3, f4], x else: return x def resnet8(**kwargs): return ResNet(8, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet14(**kwargs): return ResNet(14, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet20(**kwargs): return ResNet(20, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet32(**kwargs): return ResNet(32, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet44(**kwargs): return ResNet(44, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet56(**kwargs): return ResNet(56, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet110(**kwargs): return ResNet(110, [16, 16, 32, 64], 'basicblock', **kwargs) def resnet8x4(**kwargs): return ResNet(8, [32, 64, 128, 256], 'basicblock', **kwargs) def resnet32x4(**kwargs): return ResNet(32, [32, 64, 128, 256], 'basicblock', **kwargs) if __name__ == '__main__': import torch x = torch.randn(2, 3, 32, 32) net = resnet8x4(num_classes=20) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
7,748
29.151751
116
py
cGAN-KD
cGAN-KD-main/CIFAR-100/RepDistiller/models/mobilenetv2.py
""" MobileNetV2 implementation used in <Knowledge Distillation via Route Constrained Optimization> """ import torch import torch.nn as nn import math __all__ = ['mobilenetv2_T_w', 'mobile_half'] BN = None def conv_bn(inp, oup, stride): return nn.Sequential( nn.Conv2d(inp, oup, 3, stride, 1, bias=False), nn.BatchNorm2d(oup), nn.ReLU(inplace=True) ) def conv_1x1_bn(inp, oup): return nn.Sequential( nn.Conv2d(inp, oup, 1, 1, 0, bias=False), nn.BatchNorm2d(oup), nn.ReLU(inplace=True) ) class InvertedResidual(nn.Module): def __init__(self, inp, oup, stride, expand_ratio): super(InvertedResidual, self).__init__() self.blockname = None self.stride = stride assert stride in [1, 2] self.use_res_connect = self.stride == 1 and inp == oup self.conv = nn.Sequential( # pw nn.Conv2d(inp, inp * expand_ratio, 1, 1, 0, bias=False), nn.BatchNorm2d(inp * expand_ratio), nn.ReLU(inplace=True), # dw nn.Conv2d(inp * expand_ratio, inp * expand_ratio, 3, stride, 1, groups=inp * expand_ratio, bias=False), nn.BatchNorm2d(inp * expand_ratio), nn.ReLU(inplace=True), # pw-linear nn.Conv2d(inp * expand_ratio, oup, 1, 1, 0, bias=False), nn.BatchNorm2d(oup), ) self.names = ['0', '1', '2', '3', '4', '5', '6', '7'] def forward(self, x): t = x if self.use_res_connect: return t + self.conv(x) else: return self.conv(x) class MobileNetV2(nn.Module): """mobilenetV2""" def __init__(self, T, feature_dim, input_size=32, width_mult=1., remove_avg=False): super(MobileNetV2, self).__init__() self.remove_avg = remove_avg # setting of inverted residual blocks self.interverted_residual_setting = [ # t, c, n, s [1, 16, 1, 1], [T, 24, 2, 1], [T, 32, 3, 2], [T, 64, 4, 2], [T, 96, 3, 1], [T, 160, 3, 2], [T, 320, 1, 1], ] # building first layer assert input_size % 32 == 0 input_channel = int(32 * width_mult) self.conv1 = conv_bn(3, input_channel, 2) # building inverted residual blocks self.blocks = nn.ModuleList([]) for t, c, n, s in self.interverted_residual_setting: output_channel = int(c * width_mult) layers = [] strides = [s] + [1] * (n - 1) for stride in strides: layers.append( InvertedResidual(input_channel, output_channel, stride, t) ) input_channel = output_channel self.blocks.append(nn.Sequential(*layers)) self.last_channel = int(1280 * width_mult) if width_mult > 1.0 else 1280 self.conv2 = conv_1x1_bn(input_channel, self.last_channel) # building classifier self.classifier = nn.Sequential( # nn.Dropout(0.5), nn.Linear(self.last_channel, feature_dim), ) H = input_size // (32//2) self.avgpool = nn.AvgPool2d(H, ceil_mode=True) self._initialize_weights() print(T, width_mult) def get_bn_before_relu(self): bn1 = self.blocks[1][-1].conv[-1] bn2 = self.blocks[2][-1].conv[-1] bn3 = self.blocks[4][-1].conv[-1] bn4 = self.blocks[6][-1].conv[-1] return [bn1, bn2, bn3, bn4] def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.blocks) return feat_m def forward(self, x, is_feat=False, preact=False): out = self.conv1(x) f0 = out out = self.blocks[0](out) out = self.blocks[1](out) f1 = out out = self.blocks[2](out) f2 = out out = self.blocks[3](out) out = self.blocks[4](out) f3 = out out = self.blocks[5](out) out = self.blocks[6](out) f4 = out out = self.conv2(out) if not self.remove_avg: out = self.avgpool(out) out = out.view(out.size(0), -1) f5 = out out = self.classifier(out) if is_feat: return [f0, f1, f2, f3, f4, f5], out else: return out def _initialize_weights(self): for m in self.modules(): if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) if m.bias is not None: m.bias.data.zero_() elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() elif isinstance(m, nn.Linear): n = m.weight.size(1) m.weight.data.normal_(0, 0.01) m.bias.data.zero_() def mobilenetv2_T_w(T, W, feature_dim=100): model = MobileNetV2(T=T, feature_dim=feature_dim, width_mult=W) return model def mobile_half(num_classes): return mobilenetv2_T_w(6, 0.5, num_classes) if __name__ == '__main__': x = torch.randn(2, 3, 32, 32) net = mobile_half(100) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
5,705
27.108374
115
py
cGAN-KD
cGAN-KD-main/CIFAR-100/RepDistiller/models/vgg.py
'''VGG for CIFAR10. FC layers are removed. (c) YANG, Wei ''' import torch.nn as nn import torch.nn.functional as F import math __all__ = [ 'VGG', 'vgg11', 'vgg11_bn', 'vgg13', 'vgg13_bn', 'vgg16', 'vgg16_bn', 'vgg19_bn', 'vgg19', ] model_urls = { 'vgg11': 'https://download.pytorch.org/models/vgg11-bbd30ac9.pth', 'vgg13': 'https://download.pytorch.org/models/vgg13-c768596a.pth', 'vgg16': 'https://download.pytorch.org/models/vgg16-397923af.pth', 'vgg19': 'https://download.pytorch.org/models/vgg19-dcbb9e9d.pth', } class VGG(nn.Module): def __init__(self, cfg, batch_norm=False, num_classes=1000): super(VGG, self).__init__() self.block0 = self._make_layers(cfg[0], batch_norm, 3) self.block1 = self._make_layers(cfg[1], batch_norm, cfg[0][-1]) self.block2 = self._make_layers(cfg[2], batch_norm, cfg[1][-1]) self.block3 = self._make_layers(cfg[3], batch_norm, cfg[2][-1]) self.block4 = self._make_layers(cfg[4], batch_norm, cfg[3][-1]) self.pool0 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool1 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool2 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool3 = nn.MaxPool2d(kernel_size=2, stride=2) self.pool4 = nn.AdaptiveAvgPool2d((1, 1)) # self.pool4 = nn.MaxPool2d(kernel_size=2, stride=2) self.classifier = nn.Linear(512, num_classes) self._initialize_weights() def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.block0) feat_m.append(self.pool0) feat_m.append(self.block1) feat_m.append(self.pool1) feat_m.append(self.block2) feat_m.append(self.pool2) feat_m.append(self.block3) feat_m.append(self.pool3) feat_m.append(self.block4) feat_m.append(self.pool4) return feat_m def get_bn_before_relu(self): bn1 = self.block1[-1] bn2 = self.block2[-1] bn3 = self.block3[-1] bn4 = self.block4[-1] return [bn1, bn2, bn3, bn4] def forward(self, x, is_feat=False, preact=False): h = x.shape[2] x = F.relu(self.block0(x)) f0 = x x = self.pool0(x) x = self.block1(x) f1_pre = x x = F.relu(x) f1 = x x = self.pool1(x) x = self.block2(x) f2_pre = x x = F.relu(x) f2 = x x = self.pool2(x) x = self.block3(x) f3_pre = x x = F.relu(x) f3 = x if h == 64: x = self.pool3(x) x = self.block4(x) f4_pre = x x = F.relu(x) f4 = x x = self.pool4(x) x = x.view(x.size(0), -1) f5 = x x = self.classifier(x) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4_pre, f5], x else: return [f0, f1, f2, f3, f4, f5], x else: return x @staticmethod def _make_layers(cfg, batch_norm=False, in_channels=3): layers = [] for v in cfg: if v == 'M': layers += [nn.MaxPool2d(kernel_size=2, stride=2)] else: conv2d = nn.Conv2d(in_channels, v, kernel_size=3, padding=1) if batch_norm: layers += [conv2d, nn.BatchNorm2d(v), nn.ReLU(inplace=True)] else: layers += [conv2d, nn.ReLU(inplace=True)] in_channels = v layers = layers[:-1] return nn.Sequential(*layers) def _initialize_weights(self): for m in self.modules(): if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) if m.bias is not None: m.bias.data.zero_() elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() elif isinstance(m, nn.Linear): n = m.weight.size(1) m.weight.data.normal_(0, 0.01) m.bias.data.zero_() cfg = { 'A': [[64], [128], [256, 256], [512, 512], [512, 512]], 'B': [[64, 64], [128, 128], [256, 256], [512, 512], [512, 512]], 'D': [[64, 64], [128, 128], [256, 256, 256], [512, 512, 512], [512, 512, 512]], 'E': [[64, 64], [128, 128], [256, 256, 256, 256], [512, 512, 512, 512], [512, 512, 512, 512]], 'S': [[64], [128], [256], [512], [512]], } def vgg8(**kwargs): """VGG 8-layer model (configuration "S") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['S'], **kwargs) return model def vgg8_bn(**kwargs): """VGG 8-layer model (configuration "S") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['S'], batch_norm=True, **kwargs) return model def vgg11(**kwargs): """VGG 11-layer model (configuration "A") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['A'], **kwargs) return model def vgg11_bn(**kwargs): """VGG 11-layer model (configuration "A") with batch normalization""" model = VGG(cfg['A'], batch_norm=True, **kwargs) return model def vgg13(**kwargs): """VGG 13-layer model (configuration "B") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['B'], **kwargs) return model def vgg13_bn(**kwargs): """VGG 13-layer model (configuration "B") with batch normalization""" model = VGG(cfg['B'], batch_norm=True, **kwargs) return model def vgg16(**kwargs): """VGG 16-layer model (configuration "D") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['D'], **kwargs) return model def vgg16_bn(**kwargs): """VGG 16-layer model (configuration "D") with batch normalization""" model = VGG(cfg['D'], batch_norm=True, **kwargs) return model def vgg19(**kwargs): """VGG 19-layer model (configuration "E") Args: pretrained (bool): If True, returns a model pre-trained on ImageNet """ model = VGG(cfg['E'], **kwargs) return model def vgg19_bn(**kwargs): """VGG 19-layer model (configuration 'E') with batch normalization""" model = VGG(cfg['E'], batch_norm=True, **kwargs) return model if __name__ == '__main__': import torch x = torch.randn(2, 3, 32, 32) net = vgg19_bn(num_classes=100) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
6,971
28.417722
98
py
cGAN-KD
cGAN-KD-main/CIFAR-100/RepDistiller/models/densenet.py
'''DenseNet in PyTorch.''' import math import torch import torch.nn as nn import torch.nn.functional as F from torch.autograd import Variable NC=3 resize = (32,32) class Bottleneck(nn.Module): def __init__(self, in_planes, growth_rate): super(Bottleneck, self).__init__() self.bn1 = nn.BatchNorm2d(in_planes) self.conv1 = nn.Conv2d(in_planes, 4*growth_rate, kernel_size=1, bias=False) self.bn2 = nn.BatchNorm2d(4*growth_rate) self.conv2 = nn.Conv2d(4*growth_rate, growth_rate, kernel_size=3, padding=1, bias=False) def forward(self, x): out = self.conv1(F.relu(self.bn1(x))) out = self.conv2(F.relu(self.bn2(out))) out = torch.cat([out,x], 1) return out class Transition(nn.Module): def __init__(self, in_planes, out_planes): super(Transition, self).__init__() self.bn = nn.BatchNorm2d(in_planes) self.conv = nn.Conv2d(in_planes, out_planes, kernel_size=1, bias=False) def forward(self, x): out = self.conv(F.relu(self.bn(x))) out = F.avg_pool2d(out, 2) return out class DenseNet(nn.Module): def __init__(self, block, nblocks, growth_rate=12, reduction=0.5, num_classes=10): super(DenseNet, self).__init__() self.growth_rate = growth_rate num_planes = 2*growth_rate self.conv1 = nn.Conv2d(NC, num_planes, kernel_size=3, padding=1, bias=False) self.dense1 = self._make_dense_layers(block, num_planes, nblocks[0]) num_planes += nblocks[0]*growth_rate out_planes = int(math.floor(num_planes*reduction)) self.trans1 = Transition(num_planes, out_planes) num_planes = out_planes self.dense2 = self._make_dense_layers(block, num_planes, nblocks[1]) num_planes += nblocks[1]*growth_rate out_planes = int(math.floor(num_planes*reduction)) self.trans2 = Transition(num_planes, out_planes) num_planes = out_planes self.dense3 = self._make_dense_layers(block, num_planes, nblocks[2]) num_planes += nblocks[2]*growth_rate out_planes = int(math.floor(num_planes*reduction)) self.trans3 = Transition(num_planes, out_planes) num_planes = out_planes self.dense4 = self._make_dense_layers(block, num_planes, nblocks[3]) num_planes += nblocks[3]*growth_rate self.bn = nn.BatchNorm2d(num_planes) self.linear = nn.Linear(num_planes, num_classes) def _make_dense_layers(self, block, in_planes, nblock): layers = [] for i in range(nblock): layers.append(block(in_planes, self.growth_rate)) in_planes += self.growth_rate return nn.Sequential(*layers) def forward(self, x, is_feat=False, preact=False): # x = nn.functional.interpolate(x,size=resize,mode='bilinear',align_corners=True) out = self.conv1(x) out = self.trans1(self.dense1(out)) out = self.trans2(self.dense2(out)) out = self.trans3(self.dense3(out)) out = self.dense4(out) out = F.avg_pool2d(F.relu(self.bn(out)), 4) out = out.view(out.size(0), -1) out = self.linear(out) return out def DenseNet121(num_classes=10): return DenseNet(Bottleneck, [6,12,24,16], growth_rate=32, num_classes=num_classes) def DenseNet169(num_classes=10): return DenseNet(Bottleneck, [6,12,32,32], growth_rate=32, num_classes=num_classes) def DenseNet201(num_classes=10): return DenseNet(Bottleneck, [6,12,48,32], growth_rate=32, num_classes=num_classes) def DenseNet161(num_classes=10): return DenseNet(Bottleneck, [6,12,36,24], growth_rate=48, num_classes=num_classes) def test_densenet(): net = DenseNet121(num_classes=10) x = torch.randn(2,3,32,32) y = net(Variable(x), is_feat=False, preact=False) print(y.shape) if __name__ == "__main__": test_densenet()
3,895
32.878261
96
py
cGAN-KD
cGAN-KD-main/CIFAR-100/RepDistiller/models/classifier.py
from __future__ import print_function import torch.nn as nn ######################################### # ===== Classifiers ===== # ######################################### class LinearClassifier(nn.Module): def __init__(self, dim_in, n_label=10): super(LinearClassifier, self).__init__() self.net = nn.Linear(dim_in, n_label) def forward(self, x): return self.net(x) class NonLinearClassifier(nn.Module): def __init__(self, dim_in, n_label=10, p=0.1): super(NonLinearClassifier, self).__init__() self.net = nn.Sequential( nn.Linear(dim_in, 200), nn.Dropout(p=p), nn.BatchNorm1d(200), nn.ReLU(inplace=True), nn.Linear(200, n_label), ) def forward(self, x): return self.net(x)
819
21.777778
51
py
cGAN-KD
cGAN-KD-main/CIFAR-100/RepDistiller/models/resnetv2.py
'''ResNet in PyTorch. For Pre-activation ResNet, see 'preact_resnet.py'. Reference: [1] Kaiming He, Xiangyu Zhang, Shaoqing Ren, Jian Sun Deep Residual Learning for Image Recognition. arXiv:1512.03385 ''' import torch import torch.nn as nn import torch.nn.functional as F class BasicBlock(nn.Module): expansion = 1 def __init__(self, in_planes, planes, stride=1, is_last=False): super(BasicBlock, self).__init__() self.is_last = is_last self.conv1 = nn.Conv2d(in_planes, planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = nn.Conv2d(planes, planes, kernel_size=3, stride=1, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(planes) self.shortcut = nn.Sequential() if stride != 1 or in_planes != self.expansion * planes: self.shortcut = nn.Sequential( nn.Conv2d(in_planes, self.expansion * planes, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(self.expansion * planes) ) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = self.bn2(self.conv2(out)) out += self.shortcut(x) preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class Bottleneck(nn.Module): expansion = 4 def __init__(self, in_planes, planes, stride=1, is_last=False): super(Bottleneck, self).__init__() self.is_last = is_last self.conv1 = nn.Conv2d(in_planes, planes, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(planes) self.conv2 = nn.Conv2d(planes, planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(planes) self.conv3 = nn.Conv2d(planes, self.expansion * planes, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(self.expansion * planes) self.shortcut = nn.Sequential() if stride != 1 or in_planes != self.expansion * planes: self.shortcut = nn.Sequential( nn.Conv2d(in_planes, self.expansion * planes, kernel_size=1, stride=stride, bias=False), nn.BatchNorm2d(self.expansion * planes) ) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = F.relu(self.bn2(self.conv2(out))) out = self.bn3(self.conv3(out)) out += self.shortcut(x) preact = out out = F.relu(out) if self.is_last: return out, preact else: return out class ResNet(nn.Module): def __init__(self, block, num_blocks, num_classes=10, zero_init_residual=False): super(ResNet, self).__init__() self.in_planes = 64 self.conv1 = nn.Conv2d(3, 64, kernel_size=3, stride=1, padding=1, bias=False) self.bn1 = nn.BatchNorm2d(64) self.layer1 = self._make_layer(block, 64, num_blocks[0], stride=1) self.layer2 = self._make_layer(block, 128, num_blocks[1], stride=2) self.layer3 = self._make_layer(block, 256, num_blocks[2], stride=2) self.layer4 = self._make_layer(block, 512, num_blocks[3], stride=2) self.avgpool = nn.AdaptiveAvgPool2d((1, 1)) self.linear = nn.Linear(512 * block.expansion, num_classes) for m in self.modules(): if isinstance(m, nn.Conv2d): nn.init.kaiming_normal_(m.weight, mode='fan_out', nonlinearity='relu') elif isinstance(m, (nn.BatchNorm2d, nn.GroupNorm)): nn.init.constant_(m.weight, 1) nn.init.constant_(m.bias, 0) # Zero-initialize the last BN in each residual branch, # so that the residual branch starts with zeros, and each residual block behaves like an identity. # This improves the model by 0.2~0.3% according to https://arxiv.org/abs/1706.02677 if zero_init_residual: for m in self.modules(): if isinstance(m, Bottleneck): nn.init.constant_(m.bn3.weight, 0) elif isinstance(m, BasicBlock): nn.init.constant_(m.bn2.weight, 0) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) feat_m.append(self.layer4) return feat_m def get_bn_before_relu(self): if isinstance(self.layer1[0], Bottleneck): bn1 = self.layer1[-1].bn3 bn2 = self.layer2[-1].bn3 bn3 = self.layer3[-1].bn3 bn4 = self.layer4[-1].bn3 elif isinstance(self.layer1[0], BasicBlock): bn1 = self.layer1[-1].bn2 bn2 = self.layer2[-1].bn2 bn3 = self.layer3[-1].bn2 bn4 = self.layer4[-1].bn2 else: raise NotImplementedError('ResNet unknown block error !!!') return [bn1, bn2, bn3, bn4] def _make_layer(self, block, planes, num_blocks, stride): strides = [stride] + [1] * (num_blocks - 1) layers = [] for i in range(num_blocks): stride = strides[i] layers.append(block(self.in_planes, planes, stride, i == num_blocks - 1)) self.in_planes = planes * block.expansion return nn.Sequential(*layers) def forward(self, x, is_feat=False, preact=False): out = F.relu(self.bn1(self.conv1(x))) f0 = out out, f1_pre = self.layer1(out) f1 = out out, f2_pre = self.layer2(out) f2 = out out, f3_pre = self.layer3(out) f3 = out out, f4_pre = self.layer4(out) f4 = out out = self.avgpool(out) out = out.view(out.size(0), -1) f5 = out out = self.linear(out) if is_feat: if preact: return [[f0, f1_pre, f2_pre, f3_pre, f4_pre, f5], out] else: return [f0, f1, f2, f3, f4, f5], out else: return out def ResNet18(**kwargs): return ResNet(BasicBlock, [2, 2, 2, 2], **kwargs) def ResNet34(**kwargs): return ResNet(BasicBlock, [3, 4, 6, 3], **kwargs) def ResNet50(**kwargs): return ResNet(Bottleneck, [3, 4, 6, 3], **kwargs) def ResNet101(**kwargs): return ResNet(Bottleneck, [3, 4, 23, 3], **kwargs) def ResNet152(**kwargs): return ResNet(Bottleneck, [3, 8, 36, 3], **kwargs) if __name__ == '__main__': net = ResNet18(num_classes=100) x = torch.randn(2, 3, 32, 32) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
6,915
33.753769
106
py
cGAN-KD
cGAN-KD-main/CIFAR-100/RepDistiller/models/ShuffleNetv1.py
'''ShuffleNet in PyTorch. See the paper "ShuffleNet: An Extremely Efficient Convolutional Neural Network for Mobile Devices" for more details. ''' import torch import torch.nn as nn import torch.nn.functional as F class ShuffleBlock(nn.Module): def __init__(self, groups): super(ShuffleBlock, self).__init__() self.groups = groups def forward(self, x): '''Channel shuffle: [N,C,H,W] -> [N,g,C/g,H,W] -> [N,C/g,g,H,w] -> [N,C,H,W]''' N,C,H,W = x.size() g = self.groups return x.view(N,g,C//g,H,W).permute(0,2,1,3,4).reshape(N,C,H,W) class Bottleneck(nn.Module): def __init__(self, in_planes, out_planes, stride, groups, is_last=False): super(Bottleneck, self).__init__() self.is_last = is_last self.stride = stride mid_planes = int(out_planes/4) g = 1 if in_planes == 24 else groups self.conv1 = nn.Conv2d(in_planes, mid_planes, kernel_size=1, groups=g, bias=False) self.bn1 = nn.BatchNorm2d(mid_planes) self.shuffle1 = ShuffleBlock(groups=g) self.conv2 = nn.Conv2d(mid_planes, mid_planes, kernel_size=3, stride=stride, padding=1, groups=mid_planes, bias=False) self.bn2 = nn.BatchNorm2d(mid_planes) self.conv3 = nn.Conv2d(mid_planes, out_planes, kernel_size=1, groups=groups, bias=False) self.bn3 = nn.BatchNorm2d(out_planes) self.shortcut = nn.Sequential() if stride == 2: self.shortcut = nn.Sequential(nn.AvgPool2d(3, stride=2, padding=1)) def forward(self, x): out = F.relu(self.bn1(self.conv1(x))) out = self.shuffle1(out) out = F.relu(self.bn2(self.conv2(out))) out = self.bn3(self.conv3(out)) res = self.shortcut(x) preact = torch.cat([out, res], 1) if self.stride == 2 else out+res out = F.relu(preact) # out = F.relu(torch.cat([out, res], 1)) if self.stride == 2 else F.relu(out+res) if self.is_last: return out, preact else: return out class ShuffleNet(nn.Module): def __init__(self, cfg, num_classes=10): super(ShuffleNet, self).__init__() out_planes = cfg['out_planes'] num_blocks = cfg['num_blocks'] groups = cfg['groups'] self.conv1 = nn.Conv2d(3, 24, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(24) self.in_planes = 24 self.layer1 = self._make_layer(out_planes[0], num_blocks[0], groups) self.layer2 = self._make_layer(out_planes[1], num_blocks[1], groups) self.layer3 = self._make_layer(out_planes[2], num_blocks[2], groups) self.linear = nn.Linear(out_planes[2], num_classes) def _make_layer(self, out_planes, num_blocks, groups): layers = [] for i in range(num_blocks): stride = 2 if i == 0 else 1 cat_planes = self.in_planes if i == 0 else 0 layers.append(Bottleneck(self.in_planes, out_planes-cat_planes, stride=stride, groups=groups, is_last=(i == num_blocks - 1))) self.in_planes = out_planes return nn.Sequential(*layers) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) return feat_m def get_bn_before_relu(self): raise NotImplementedError('ShuffleNet currently is not supported for "Overhaul" teacher') def forward(self, x, is_feat=False, preact=False): out = F.relu(self.bn1(self.conv1(x))) f0 = out out, f1_pre = self.layer1(out) f1 = out out, f2_pre = self.layer2(out) f2 = out out, f3_pre = self.layer3(out) f3 = out out = F.avg_pool2d(out, 4) out = out.view(out.size(0), -1) f4 = out out = self.linear(out) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4], out else: return [f0, f1, f2, f3, f4], out else: return out def ShuffleV1(**kwargs): cfg = { 'out_planes': [240, 480, 960], 'num_blocks': [4, 8, 4], 'groups': 3 } return ShuffleNet(cfg, **kwargs) if __name__ == '__main__': x = torch.randn(2, 3, 32, 32) net = ShuffleV1(num_classes=100) import time a = time.time() feats, logit = net(x, is_feat=True, preact=True) b = time.time() print(b - a) for f in feats: print(f.shape, f.min().item()) print(logit.shape)
4,732
33.05036
126
py
cGAN-KD
cGAN-KD-main/CIFAR-100/RepDistiller/models/util.py
from __future__ import print_function import torch.nn as nn import math class Paraphraser(nn.Module): """Paraphrasing Complex Network: Network Compression via Factor Transfer""" def __init__(self, t_shape, k=0.5, use_bn=False): super(Paraphraser, self).__init__() in_channel = t_shape[1] out_channel = int(t_shape[1] * k) self.encoder = nn.Sequential( nn.Conv2d(in_channel, in_channel, 3, 1, 1), nn.BatchNorm2d(in_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), nn.Conv2d(in_channel, out_channel, 3, 1, 1), nn.BatchNorm2d(out_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), nn.Conv2d(out_channel, out_channel, 3, 1, 1), nn.BatchNorm2d(out_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), ) self.decoder = nn.Sequential( nn.ConvTranspose2d(out_channel, out_channel, 3, 1, 1), nn.BatchNorm2d(out_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), nn.ConvTranspose2d(out_channel, in_channel, 3, 1, 1), nn.BatchNorm2d(in_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), nn.ConvTranspose2d(in_channel, in_channel, 3, 1, 1), nn.BatchNorm2d(in_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), ) def forward(self, f_s, is_factor=False): factor = self.encoder(f_s) if is_factor: return factor rec = self.decoder(factor) return factor, rec class Translator(nn.Module): def __init__(self, s_shape, t_shape, k=0.5, use_bn=True): super(Translator, self).__init__() in_channel = s_shape[1] out_channel = int(t_shape[1] * k) self.encoder = nn.Sequential( nn.Conv2d(in_channel, in_channel, 3, 1, 1), nn.BatchNorm2d(in_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), nn.Conv2d(in_channel, out_channel, 3, 1, 1), nn.BatchNorm2d(out_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), nn.Conv2d(out_channel, out_channel, 3, 1, 1), nn.BatchNorm2d(out_channel) if use_bn else nn.Sequential(), nn.LeakyReLU(0.1, inplace=True), ) def forward(self, f_s): return self.encoder(f_s) class Connector(nn.Module): """Connect for Knowledge Transfer via Distillation of Activation Boundaries Formed by Hidden Neurons""" def __init__(self, s_shapes, t_shapes): super(Connector, self).__init__() self.s_shapes = s_shapes self.t_shapes = t_shapes self.connectors = nn.ModuleList(self._make_conenctors(s_shapes, t_shapes)) @staticmethod def _make_conenctors(s_shapes, t_shapes): assert len(s_shapes) == len(t_shapes), 'unequal length of feat list' connectors = [] for s, t in zip(s_shapes, t_shapes): if s[1] == t[1] and s[2] == t[2]: connectors.append(nn.Sequential()) else: connectors.append(ConvReg(s, t, use_relu=False)) return connectors def forward(self, g_s): out = [] for i in range(len(g_s)): out.append(self.connectors[i](g_s[i])) return out class ConnectorV2(nn.Module): """A Comprehensive Overhaul of Feature Distillation (ICCV 2019)""" def __init__(self, s_shapes, t_shapes): super(ConnectorV2, self).__init__() self.s_shapes = s_shapes self.t_shapes = t_shapes self.connectors = nn.ModuleList(self._make_conenctors(s_shapes, t_shapes)) def _make_conenctors(self, s_shapes, t_shapes): assert len(s_shapes) == len(t_shapes), 'unequal length of feat list' t_channels = [t[1] for t in t_shapes] s_channels = [s[1] for s in s_shapes] connectors = nn.ModuleList([self._build_feature_connector(t, s) for t, s in zip(t_channels, s_channels)]) return connectors @staticmethod def _build_feature_connector(t_channel, s_channel): C = [nn.Conv2d(s_channel, t_channel, kernel_size=1, stride=1, padding=0, bias=False), nn.BatchNorm2d(t_channel)] for m in C: if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() return nn.Sequential(*C) def forward(self, g_s): out = [] for i in range(len(g_s)): out.append(self.connectors[i](g_s[i])) return out class ConvReg(nn.Module): """Convolutional regression for FitNet""" def __init__(self, s_shape, t_shape, use_relu=True): super(ConvReg, self).__init__() self.use_relu = use_relu s_N, s_C, s_H, s_W = s_shape t_N, t_C, t_H, t_W = t_shape if s_H == 2 * t_H: self.conv = nn.Conv2d(s_C, t_C, kernel_size=3, stride=2, padding=1) elif s_H * 2 == t_H: self.conv = nn.ConvTranspose2d(s_C, t_C, kernel_size=4, stride=2, padding=1) elif s_H >= t_H: self.conv = nn.Conv2d(s_C, t_C, kernel_size=(1+s_H-t_H, 1+s_W-t_W)) else: raise NotImplemented('student size {}, teacher size {}'.format(s_H, t_H)) self.bn = nn.BatchNorm2d(t_C) self.relu = nn.ReLU(inplace=True) def forward(self, x): x = self.conv(x) if self.use_relu: return self.relu(self.bn(x)) else: return self.bn(x) class Regress(nn.Module): """Simple Linear Regression for hints""" def __init__(self, dim_in=1024, dim_out=1024): super(Regress, self).__init__() self.linear = nn.Linear(dim_in, dim_out) self.relu = nn.ReLU(inplace=True) def forward(self, x): x = x.view(x.shape[0], -1) x = self.linear(x) x = self.relu(x) return x class Embed(nn.Module): """Embedding module""" def __init__(self, dim_in=1024, dim_out=128): super(Embed, self).__init__() self.linear = nn.Linear(dim_in, dim_out) self.l2norm = Normalize(2) def forward(self, x): x = x.view(x.shape[0], -1) x = self.linear(x) x = self.l2norm(x) return x class LinearEmbed(nn.Module): """Linear Embedding""" def __init__(self, dim_in=1024, dim_out=128): super(LinearEmbed, self).__init__() self.linear = nn.Linear(dim_in, dim_out) def forward(self, x): x = x.view(x.shape[0], -1) x = self.linear(x) return x class MLPEmbed(nn.Module): """non-linear embed by MLP""" def __init__(self, dim_in=1024, dim_out=128): super(MLPEmbed, self).__init__() self.linear1 = nn.Linear(dim_in, 2 * dim_out) self.relu = nn.ReLU(inplace=True) self.linear2 = nn.Linear(2 * dim_out, dim_out) self.l2norm = Normalize(2) def forward(self, x): x = x.view(x.shape[0], -1) x = self.relu(self.linear1(x)) x = self.l2norm(self.linear2(x)) return x class Normalize(nn.Module): """normalization layer""" def __init__(self, power=2): super(Normalize, self).__init__() self.power = power def forward(self, x): norm = x.pow(self.power).sum(1, keepdim=True).pow(1. / self.power) out = x.div(norm) return out class Flatten(nn.Module): """flatten module""" def __init__(self): super(Flatten, self).__init__() def forward(self, feat): return feat.view(feat.size(0), -1) class PoolEmbed(nn.Module): """pool and embed""" def __init__(self, layer=0, dim_out=128, pool_type='avg'): super().__init__() if layer == 0: pool_size = 8 nChannels = 16 elif layer == 1: pool_size = 8 nChannels = 16 elif layer == 2: pool_size = 6 nChannels = 32 elif layer == 3: pool_size = 4 nChannels = 64 elif layer == 4: pool_size = 1 nChannels = 64 else: raise NotImplementedError('layer not supported: {}'.format(layer)) self.embed = nn.Sequential() if layer <= 3: if pool_type == 'max': self.embed.add_module('MaxPool', nn.AdaptiveMaxPool2d((pool_size, pool_size))) elif pool_type == 'avg': self.embed.add_module('AvgPool', nn.AdaptiveAvgPool2d((pool_size, pool_size))) self.embed.add_module('Flatten', Flatten()) self.embed.add_module('Linear', nn.Linear(nChannels*pool_size*pool_size, dim_out)) self.embed.add_module('Normalize', Normalize(2)) def forward(self, x): return self.embed(x) if __name__ == '__main__': import torch g_s = [ torch.randn(2, 16, 16, 16), torch.randn(2, 32, 8, 8), torch.randn(2, 64, 4, 4), ] g_t = [ torch.randn(2, 32, 16, 16), torch.randn(2, 64, 8, 8), torch.randn(2, 128, 4, 4), ] s_shapes = [s.shape for s in g_s] t_shapes = [t.shape for t in g_t] net = ConnectorV2(s_shapes, t_shapes) out = net(g_s) for f in out: print(f.shape)
9,622
32.068729
107
py
cGAN-KD
cGAN-KD-main/CIFAR-100/RepDistiller/models/ShuffleNetv2.py
'''ShuffleNetV2 in PyTorch. See the paper "ShuffleNet V2: Practical Guidelines for Efficient CNN Architecture Design" for more details. ''' import torch import torch.nn as nn import torch.nn.functional as F class ShuffleBlock(nn.Module): def __init__(self, groups=2): super(ShuffleBlock, self).__init__() self.groups = groups def forward(self, x): '''Channel shuffle: [N,C,H,W] -> [N,g,C/g,H,W] -> [N,C/g,g,H,w] -> [N,C,H,W]''' N, C, H, W = x.size() g = self.groups return x.view(N, g, C//g, H, W).permute(0, 2, 1, 3, 4).reshape(N, C, H, W) class SplitBlock(nn.Module): def __init__(self, ratio): super(SplitBlock, self).__init__() self.ratio = ratio def forward(self, x): c = int(x.size(1) * self.ratio) return x[:, :c, :, :], x[:, c:, :, :] class BasicBlock(nn.Module): def __init__(self, in_channels, split_ratio=0.5, is_last=False): super(BasicBlock, self).__init__() self.is_last = is_last self.split = SplitBlock(split_ratio) in_channels = int(in_channels * split_ratio) self.conv1 = nn.Conv2d(in_channels, in_channels, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(in_channels) self.conv2 = nn.Conv2d(in_channels, in_channels, kernel_size=3, stride=1, padding=1, groups=in_channels, bias=False) self.bn2 = nn.BatchNorm2d(in_channels) self.conv3 = nn.Conv2d(in_channels, in_channels, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(in_channels) self.shuffle = ShuffleBlock() def forward(self, x): x1, x2 = self.split(x) out = F.relu(self.bn1(self.conv1(x2))) out = self.bn2(self.conv2(out)) preact = self.bn3(self.conv3(out)) out = F.relu(preact) # out = F.relu(self.bn3(self.conv3(out))) preact = torch.cat([x1, preact], 1) out = torch.cat([x1, out], 1) out = self.shuffle(out) if self.is_last: return out, preact else: return out class DownBlock(nn.Module): def __init__(self, in_channels, out_channels): super(DownBlock, self).__init__() mid_channels = out_channels // 2 # left self.conv1 = nn.Conv2d(in_channels, in_channels, kernel_size=3, stride=2, padding=1, groups=in_channels, bias=False) self.bn1 = nn.BatchNorm2d(in_channels) self.conv2 = nn.Conv2d(in_channels, mid_channels, kernel_size=1, bias=False) self.bn2 = nn.BatchNorm2d(mid_channels) # right self.conv3 = nn.Conv2d(in_channels, mid_channels, kernel_size=1, bias=False) self.bn3 = nn.BatchNorm2d(mid_channels) self.conv4 = nn.Conv2d(mid_channels, mid_channels, kernel_size=3, stride=2, padding=1, groups=mid_channels, bias=False) self.bn4 = nn.BatchNorm2d(mid_channels) self.conv5 = nn.Conv2d(mid_channels, mid_channels, kernel_size=1, bias=False) self.bn5 = nn.BatchNorm2d(mid_channels) self.shuffle = ShuffleBlock() def forward(self, x): # left out1 = self.bn1(self.conv1(x)) out1 = F.relu(self.bn2(self.conv2(out1))) # right out2 = F.relu(self.bn3(self.conv3(x))) out2 = self.bn4(self.conv4(out2)) out2 = F.relu(self.bn5(self.conv5(out2))) # concat out = torch.cat([out1, out2], 1) out = self.shuffle(out) return out class ShuffleNetV2(nn.Module): def __init__(self, net_size, num_classes=10): super(ShuffleNetV2, self).__init__() out_channels = configs[net_size]['out_channels'] num_blocks = configs[net_size]['num_blocks'] # self.conv1 = nn.Conv2d(3, 24, kernel_size=3, # stride=1, padding=1, bias=False) self.conv1 = nn.Conv2d(3, 24, kernel_size=1, bias=False) self.bn1 = nn.BatchNorm2d(24) self.in_channels = 24 self.layer1 = self._make_layer(out_channels[0], num_blocks[0]) self.layer2 = self._make_layer(out_channels[1], num_blocks[1]) self.layer3 = self._make_layer(out_channels[2], num_blocks[2]) self.conv2 = nn.Conv2d(out_channels[2], out_channels[3], kernel_size=1, stride=1, padding=0, bias=False) self.bn2 = nn.BatchNorm2d(out_channels[3]) self.linear = nn.Linear(out_channels[3], num_classes) def _make_layer(self, out_channels, num_blocks): layers = [DownBlock(self.in_channels, out_channels)] for i in range(num_blocks): layers.append(BasicBlock(out_channels, is_last=(i == num_blocks - 1))) self.in_channels = out_channels return nn.Sequential(*layers) def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.bn1) feat_m.append(self.layer1) feat_m.append(self.layer2) feat_m.append(self.layer3) return feat_m def get_bn_before_relu(self): raise NotImplementedError('ShuffleNetV2 currently is not supported for "Overhaul" teacher') def forward(self, x, is_feat=False, preact=False): out = F.relu(self.bn1(self.conv1(x))) # out = F.max_pool2d(out, 3, stride=2, padding=1) f0 = out out, f1_pre = self.layer1(out) f1 = out out, f2_pre = self.layer2(out) f2 = out out, f3_pre = self.layer3(out) f3 = out out = F.relu(self.bn2(self.conv2(out))) out = F.avg_pool2d(out, 4) out = out.view(out.size(0), -1) f4 = out out = self.linear(out) if is_feat: if preact: return [f0, f1_pre, f2_pre, f3_pre, f4], out else: return [f0, f1, f2, f3, f4], out else: return out configs = { 0.2: { 'out_channels': (40, 80, 160, 512), 'num_blocks': (3, 3, 3) }, 0.3: { 'out_channels': (40, 80, 160, 512), 'num_blocks': (3, 7, 3) }, 0.5: { 'out_channels': (48, 96, 192, 1024), 'num_blocks': (3, 7, 3) }, 1: { 'out_channels': (116, 232, 464, 1024), 'num_blocks': (3, 7, 3) }, 1.5: { 'out_channels': (176, 352, 704, 1024), 'num_blocks': (3, 7, 3) }, 2: { 'out_channels': (224, 488, 976, 2048), 'num_blocks': (3, 7, 3) } } def ShuffleV2(**kwargs): model = ShuffleNetV2(net_size=1, **kwargs) return model if __name__ == '__main__': net = ShuffleV2(num_classes=100) x = torch.randn(3, 3, 32, 32) import time a = time.time() feats, logit = net(x, is_feat=True, preact=True) b = time.time() print(b - a) for f in feats: print(f.shape, f.min().item()) print(logit.shape)
7,074
32.530806
107
py
cGAN-KD
cGAN-KD-main/CIFAR-100/RepDistiller/models/wrn.py
import math import torch import torch.nn as nn import torch.nn.functional as F """ Original Author: Wei Yang """ __all__ = ['wrn'] class BasicBlock(nn.Module): def __init__(self, in_planes, out_planes, stride, dropRate=0.0): super(BasicBlock, self).__init__() self.bn1 = nn.BatchNorm2d(in_planes) self.relu1 = nn.ReLU(inplace=True) self.conv1 = nn.Conv2d(in_planes, out_planes, kernel_size=3, stride=stride, padding=1, bias=False) self.bn2 = nn.BatchNorm2d(out_planes) self.relu2 = nn.ReLU(inplace=True) self.conv2 = nn.Conv2d(out_planes, out_planes, kernel_size=3, stride=1, padding=1, bias=False) self.droprate = dropRate self.equalInOut = (in_planes == out_planes) self.convShortcut = (not self.equalInOut) and nn.Conv2d(in_planes, out_planes, kernel_size=1, stride=stride, padding=0, bias=False) or None def forward(self, x): if not self.equalInOut: x = self.relu1(self.bn1(x)) else: out = self.relu1(self.bn1(x)) out = self.relu2(self.bn2(self.conv1(out if self.equalInOut else x))) if self.droprate > 0: out = F.dropout(out, p=self.droprate, training=self.training) out = self.conv2(out) return torch.add(x if self.equalInOut else self.convShortcut(x), out) class NetworkBlock(nn.Module): def __init__(self, nb_layers, in_planes, out_planes, block, stride, dropRate=0.0): super(NetworkBlock, self).__init__() self.layer = self._make_layer(block, in_planes, out_planes, nb_layers, stride, dropRate) def _make_layer(self, block, in_planes, out_planes, nb_layers, stride, dropRate): layers = [] for i in range(nb_layers): layers.append(block(i == 0 and in_planes or out_planes, out_planes, i == 0 and stride or 1, dropRate)) return nn.Sequential(*layers) def forward(self, x): return self.layer(x) class WideResNet(nn.Module): def __init__(self, depth, num_classes, widen_factor=1, dropRate=0.0): super(WideResNet, self).__init__() nChannels = [16, 16*widen_factor, 32*widen_factor, 64*widen_factor] assert (depth - 4) % 6 == 0, 'depth should be 6n+4' n = (depth - 4) // 6 block = BasicBlock # 1st conv before any network block self.conv1 = nn.Conv2d(3, nChannels[0], kernel_size=3, stride=1, padding=1, bias=False) # 1st block self.block1 = NetworkBlock(n, nChannels[0], nChannels[1], block, 1, dropRate) # 2nd block self.block2 = NetworkBlock(n, nChannels[1], nChannels[2], block, 2, dropRate) # 3rd block self.block3 = NetworkBlock(n, nChannels[2], nChannels[3], block, 2, dropRate) # global average pooling and classifier self.bn1 = nn.BatchNorm2d(nChannels[3]) self.relu = nn.ReLU(inplace=True) self.fc = nn.Linear(nChannels[3], num_classes) self.nChannels = nChannels[3] for m in self.modules(): if isinstance(m, nn.Conv2d): n = m.kernel_size[0] * m.kernel_size[1] * m.out_channels m.weight.data.normal_(0, math.sqrt(2. / n)) elif isinstance(m, nn.BatchNorm2d): m.weight.data.fill_(1) m.bias.data.zero_() elif isinstance(m, nn.Linear): m.bias.data.zero_() def get_feat_modules(self): feat_m = nn.ModuleList([]) feat_m.append(self.conv1) feat_m.append(self.block1) feat_m.append(self.block2) feat_m.append(self.block3) return feat_m def get_bn_before_relu(self): bn1 = self.block2.layer[0].bn1 bn2 = self.block3.layer[0].bn1 bn3 = self.bn1 return [bn1, bn2, bn3] def forward(self, x, is_feat=False, preact=False): out = self.conv1(x) f0 = out out = self.block1(out) f1 = out out = self.block2(out) f2 = out out = self.block3(out) f3 = out out = self.relu(self.bn1(out)) out = F.avg_pool2d(out, 8) out = out.view(-1, self.nChannels) f4 = out out = self.fc(out) if is_feat: if preact: f1 = self.block2.layer[0].bn1(f1) f2 = self.block3.layer[0].bn1(f2) f3 = self.bn1(f3) return [f0, f1, f2, f3, f4], out else: return out def wrn(**kwargs): """ Constructs a Wide Residual Networks. """ model = WideResNet(**kwargs) return model def wrn_40_2(**kwargs): model = WideResNet(depth=40, widen_factor=2, **kwargs) return model def wrn_40_1(**kwargs): model = WideResNet(depth=40, widen_factor=1, **kwargs) return model def wrn_16_2(**kwargs): model = WideResNet(depth=16, widen_factor=2, **kwargs) return model def wrn_16_1(**kwargs): model = WideResNet(depth=16, widen_factor=1, **kwargs) return model if __name__ == '__main__': import torch x = torch.randn(2, 3, 32, 32) net = wrn_40_2(num_classes=100) feats, logit = net(x, is_feat=True, preact=True) for f in feats: print(f.shape, f.min().item()) print(logit.shape) for m in net.get_bn_before_relu(): if isinstance(m, nn.BatchNorm2d): print('pass') else: print('warning')
5,519
31.280702
116
py