-
-
Notifications
You must be signed in to change notification settings - Fork 428
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Expectation Over Transformation Wrapper #719
Merged
+213
−0
Merged
Changes from all commits
Commits
Show all changes
4 commits
Select commit
Hold shift + click to select a range
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,129 @@ | ||
#!/usr/bin/env python3 | ||
""" | ||
A simple example that demonstrates how to run Expectation over Transformation | ||
coupled with any attack, on a Resnet-18 PyTorch model. | ||
""" | ||
from typing import Any | ||
|
||
import torch | ||
from torch import Tensor | ||
import torchvision.models as models | ||
import torchvision.transforms as transforms | ||
import eagerpy as ep | ||
from foolbox import PyTorchModel, accuracy, samples | ||
from foolbox.attacks import LinfPGD | ||
from foolbox.models import ExpectationOverTransformationWrapper | ||
|
||
|
||
class RandomizedResNet18(torch.nn.Module): | ||
def __init__(self) -> None: | ||
|
||
super().__init__() | ||
|
||
# base model | ||
self.model = models.resnet18(pretrained=True) | ||
|
||
# random apply rotation | ||
self.transforms = transforms.RandomRotation(degrees=25) | ||
|
||
def forward(self, x: Tensor) -> Any: | ||
|
||
# random transform | ||
x = self.transforms(x) | ||
|
||
return self.model(x) | ||
|
||
|
||
def main() -> None: | ||
# instantiate a model (could also be a TensorFlow or JAX model) | ||
model = models.resnet18(pretrained=True).eval() | ||
preprocessing = dict(mean=[0.485, 0.456, 0.406], std=[0.229, 0.224, 0.225], axis=-3) | ||
fmodel = PyTorchModel(model, bounds=(0, 1), preprocessing=preprocessing) | ||
|
||
# get data and test the model | ||
# wrapping the tensors with ep.astensors is optional, but it allows | ||
# us to work with EagerPy tensors in the following | ||
images, labels = ep.astensors(*samples(fmodel, dataset="imagenet", batchsize=16)) | ||
|
||
print("Testing attack on the base model (no transformations applied)") | ||
clean_acc = accuracy(fmodel, images, labels) | ||
print(f"clean accuracy: {clean_acc * 100:.1f} %") | ||
|
||
# apply an attack with different eps | ||
attack = LinfPGD() | ||
epsilons = [ | ||
0.0, | ||
0.0002, | ||
0.0005, | ||
0.0008, | ||
0.001, | ||
0.0015, | ||
0.002, | ||
0.003, | ||
0.01, | ||
0.02, | ||
0.03, | ||
0.1, | ||
0.3, | ||
0.5, | ||
1.0, | ||
] | ||
|
||
raw_advs, clipped_advs, success = attack(fmodel, images, labels, epsilons=epsilons) | ||
|
||
# calculate and report the robust accuracy (the accuracy of the model when | ||
# it is attacked) | ||
robust_accuracy = 1 - success.float32().mean(axis=-1) | ||
print("robust accuracy for perturbations with") | ||
for eps, acc in zip(epsilons, robust_accuracy): | ||
print(f" Linf norm ≤ {eps:<6}: {acc.item() * 100:4.1f} %") | ||
|
||
# Let's apply the same LinfPGD attack, but on a model with random transformations | ||
rand_model = RandomizedResNet18().eval() | ||
fmodel = PyTorchModel(rand_model, bounds=(0, 1), preprocessing=preprocessing) | ||
seed = 1111 | ||
|
||
print("#" * 40) | ||
print("Testing attack on the randomized model (random rotation applied)") | ||
|
||
# Note: accuracy may slightly decrease, depending on seed | ||
torch.manual_seed(seed) | ||
clean_acc = accuracy(fmodel, images, labels) | ||
print(f"clean accuracy: {clean_acc * 100:.1f} %") | ||
|
||
# test the base attack on the randomized model | ||
print("robust accuracy for perturbations with") | ||
for eps in epsilons: | ||
|
||
# reset seed to have the same perturbations in each attack | ||
torch.manual_seed(seed) | ||
_, _, success = attack(fmodel, images, labels, epsilons=eps) | ||
|
||
# calculate and report the robust accuracy | ||
# the attack is performing worse on the randomized models, since gradient computation is affected! | ||
robust_accuracy = 1 - success.float32().mean(axis=-1) | ||
print(f" Linf norm ≤ {eps:<6}: {robust_accuracy.item() * 100:4.1f} %") | ||
|
||
# Now, Let's use Expectation Over Transformation to counter the randomization | ||
eot_model = ExpectationOverTransformationWrapper(fmodel, n_steps=16) | ||
|
||
print("#" * 40) | ||
print("Testing EoT attack on the randomized model (random crop applied)") | ||
torch.manual_seed(seed) | ||
clean_acc = accuracy(eot_model, images, labels) | ||
print(f"clean accuracy: {clean_acc * 100:.1f} %") | ||
|
||
print("robust accuracy for perturbations with") | ||
for eps in epsilons: | ||
# reset seed to have the same perturbations in each attack | ||
torch.manual_seed(seed) | ||
_, _, success = attack(eot_model, images, labels, epsilons=eps) | ||
|
||
# calculate and report the robust accuracy | ||
# with EoT, the base attack is working again! | ||
robust_accuracy = 1 - success.float32().mean(axis=-1) | ||
print(f" Linf norm ≤ {eps:<6}: {robust_accuracy.item() * 100:4.1f} %") | ||
|
||
|
||
if __name__ == "__main__": | ||
main() |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,53 @@ | ||
import pytest | ||
|
||
import eagerpy as ep | ||
|
||
from foolbox import accuracy | ||
from foolbox.attacks import ( | ||
LinfBasicIterativeAttack, | ||
L1BasicIterativeAttack, | ||
L2BasicIterativeAttack, | ||
) | ||
from foolbox.models import ExpectationOverTransformationWrapper | ||
from foolbox.types import L2, Linf | ||
|
||
from conftest import ModeAndDataAndDescription | ||
|
||
|
||
def test_eot_wrapper( | ||
fmodel_and_data_ext_for_attacks: ModeAndDataAndDescription, | ||
) -> None: | ||
|
||
(fmodel, x, y), real, low_dimensional_input = fmodel_and_data_ext_for_attacks | ||
|
||
if isinstance(x, ep.NumPyTensor): | ||
pytest.skip() | ||
|
||
# test clean accuracy when wrapping EoT | ||
x = (x - fmodel.bounds.lower) / (fmodel.bounds.upper - fmodel.bounds.lower) | ||
fmodel = fmodel.transform_bounds((0, 1)) | ||
acc = accuracy(fmodel, x, y) | ||
|
||
rand_model = ExpectationOverTransformationWrapper(fmodel, n_steps=4) | ||
rand_acc = accuracy(rand_model, x, y) | ||
assert acc - rand_acc == 0 | ||
|
||
# test with base attacks | ||
# (accuracy should not change, since fmodel is not random) | ||
attacks = ( | ||
L1BasicIterativeAttack(), | ||
L2BasicIterativeAttack(), | ||
LinfBasicIterativeAttack(), | ||
) | ||
epsilons = (5000.0, L2(50.0), Linf(1.0)) | ||
|
||
for attack, eps in zip(attacks, epsilons): | ||
|
||
# acc on standard model | ||
advs, _, _ = attack(fmodel, x, y, epsilons=eps) | ||
adv_acc = accuracy(fmodel, advs, y) | ||
|
||
# acc on eot model | ||
advs, _, _ = attack(rand_model, x, y, epsilons=eps) | ||
r_adv_acc = accuracy(rand_model, advs, y) | ||
assert adv_acc - r_adv_acc == 0 |
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Sorry for not mentioning this earlier, but can you please add docstrings to the class & module like its done for the other classes in the project?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Added it to the
models.rst
file, taking the other wrapper module as an example.However, I am not sure how to fix the version error for
sphinx
. In my local machine, I tried to buildhtml
docs withsphinx
version 5 and it works, but therequirements.txt
file in the docs folder wants: