commit 80513ed206da6616d86e89739be7d6f35f8dc07e
parent 3e2034f450da3aeb5a6bad4abf5fbf1d9218327e
Author: Kevin Corvisier <git@kevincorvisier.fr>
Date: Sat, 12 Oct 2024 21:54:46 +0900
Add proper mechanism to determine whether a card is playable by Forge AI
or not
Diffstat:
10 files changed, 29784 insertions(+), 2555 deletions(-)
diff --git a/README.md b/README.md
@@ -1,6 +1,13 @@
-To generate `ai_banlist.txt` from Forge's extracted `res/cardsfolder/cardsfolder.zip`:
+The file `ai-playable-cards.txt` contains the list of all cards playable by Forge's AI. It is generated from Forge's extracted `res/cardsfolder/cardsfolder.zip` via:
+
+```
+IFS=$'\n'; for filename in `grep -rL "AI:RemoveDeck:All" /tmp/cardsfolder/`; do grep -E "^Name:" "${filename}" | cut -d ':' -f 2- ; done | sort -u > ai-playable-cards.txt; unset IFS
+```
+
+The file `ai-unplayable-cards.txt` contains the list of all cards unplayable by Forge's AI. It is generated from Forge's extracted `res/cardsfolder/cardsfolder.zip` via:
+
```
-grep --no-filename -B 100 -A 100 -R "AI:RemoveDeck:All" * | grep "Name:" | cut -d ':' -f 2- | sort -u > ~/tmp/ai_banlist.txt
+grep --no-filename -B 100 -A 100 -R "AI:RemoveDeck:All" /tmp/cardsfolder/ | grep "Name:" | cut -d ':' -f 2- | sort -u > ai-unplayable-cards.txt
```
`ec_banlist.txt` is the banlist from Eternal Central: https://www.eternalcentral.com/middleschoolrules/
\ No newline at end of file
diff --git a/src/main/java/fr/kevincorvisier/mtg/dd/DefaultDecklistConsumer.java b/src/main/java/fr/kevincorvisier/mtg/dd/DefaultDecklistConsumer.java
@@ -40,6 +40,7 @@ public class DefaultDecklistConsumer implements DecklistConsumer
private final DeckValidator validator;
private final Crawler crawler;
private final String[] ignorePlayers;
+ private final boolean onlyAiPlayableCards;
@Override
public int capacity()
@@ -104,7 +105,7 @@ public class DefaultDecklistConsumer implements DecklistConsumer
return;
}
- if (!validator.validate(deck))
+ if (!validator.validate(deck, onlyAiPlayableCards))
return;
downloadedByDeckNameByPlayerName.computeIfAbsent(deck.getPlayer().toLowerCase(), k -> new HashMap<>()) //
diff --git a/src/main/java/fr/kevincorvisier/mtg/dd/Main.java b/src/main/java/fr/kevincorvisier/mtg/dd/Main.java
@@ -77,6 +77,8 @@ public class Main
continue;
}
+ final boolean onlyAiPlayableCards = Boolean.parseBoolean(props.getProperty("formats." + format + ".only-ai-playable-cards", "false"));
+
final int archetypeLimit = Integer.parseInt(props.getProperty("formats." + format + ".archetype-limit", "0"));
if (limit <= 0)
{
@@ -86,7 +88,7 @@ public class Main
final DeckValidator validator = validatorByFormat.get(format);
final DecklistConsumer consumer = new DefaultDecklistConsumer(cache, new File(outputFolder), limit, archetypeLimit, validator, crawler,
- ignorePlayers);
+ ignorePlayers, onlyAiPlayableCards);
try
{
diff --git a/src/main/java/fr/kevincorvisier/mtg/dd/validation/AiCards.java b/src/main/java/fr/kevincorvisier/mtg/dd/validation/AiCards.java
@@ -0,0 +1,53 @@
+package fr.kevincorvisier.mtg.dd.validation;
+
+import java.io.BufferedReader;
+import java.io.IOException;
+import java.io.InputStreamReader;
+import java.util.Collection;
+import java.util.HashSet;
+
+import lombok.extern.slf4j.Slf4j;
+
+@Slf4j
+public class AiCards
+{
+ private final Collection<String> playableCards;
+ private final Collection<String> unplayableCards;
+
+ public AiCards() throws IOException
+ {
+ this.playableCards = loadResource("ai-playable-cards.txt");
+ this.unplayableCards = loadResource("ai-unplayable-cards.txt");
+ }
+
+ public boolean isPlayableByAi(final String name)
+ {
+ if (playableCards.contains(name))
+ return true;
+ else if (unplayableCards.contains(name))
+ return false;
+ else
+ {
+ log.error("Unable to confirm if {} is playable by AI or not", name);
+ return false; // Card from a new set ? typo ?
+ }
+ }
+
+ private Collection<String> loadResource(final String name) throws IOException
+ {
+ final Collection<String> result = new HashSet<>();
+
+ try (final BufferedReader reader = new BufferedReader(new InputStreamReader(getClass().getClassLoader().getResourceAsStream(name))))
+ {
+ String line;
+ while ((line = reader.readLine()) != null)
+ {
+ line = line.trim();
+ if (!line.isBlank())
+ result.add(line);
+ }
+ }
+
+ return result;
+ }
+}
diff --git a/src/main/java/fr/kevincorvisier/mtg/dd/validation/DeckValidator.java b/src/main/java/fr/kevincorvisier/mtg/dd/validation/DeckValidator.java
@@ -12,8 +12,9 @@ import lombok.extern.slf4j.Slf4j;
public class DeckValidator
{
private final Collection<String> banlist;
+ private final AiCards aiCards;
- public boolean validate(final DeckItem deck)
+ public boolean validate(final DeckItem deck, final boolean onlyAiPlayableCards)
{
int cardCount = 0;
@@ -26,6 +27,12 @@ public class DeckValidator
return false;
}
+ if (onlyAiPlayableCards && !aiCards.isPlayableByAi(cardName))
+ {
+ log.debug("validate: {} is not playable by AI: {}", cardName, deck);
+ return false;
+ }
+
cardCount += card.getValue();
}
diff --git a/src/main/java/fr/kevincorvisier/mtg/dd/validation/DeckValidatorFactory.java b/src/main/java/fr/kevincorvisier/mtg/dd/validation/DeckValidatorFactory.java
@@ -19,6 +19,8 @@ public class DeckValidatorFactory
{
public static Map<String, DeckValidator> create(final Iterable<String> formats, final Properties props) throws IOException
{
+ final AiCards aiCards = new AiCards();
+
final Map<String, Collection<String>> banlistByName = new HashMap<>();
final Map<String, DeckValidator> validatorByFormat = new HashMap<>();
@@ -38,7 +40,7 @@ public class DeckValidatorFactory
formatBanlist.addAll(banlist);
}
- validatorByFormat.put(format, new DeckValidator(Collections.unmodifiableSet(formatBanlist)));
+ validatorByFormat.put(format, new DeckValidator(Collections.unmodifiableSet(formatBanlist), aiCards));
}
return validatorByFormat;
diff --git a/src/main/packaged-resources/cfg/application.properties b/src/main/packaged-resources/cfg/application.properties
@@ -13,9 +13,10 @@ replace-archetypes=Mono Red[MiddleSchool]|Burn,Sligh|Burn,Other|Rogue,Goblin[Mid
formats=pauper-meta,standard-meta
-formats.example1-ms-opponents.banlists=banlist_ai.txt,banlist_custom.txt
+formats.example1-ms-opponents.banlists=banlist_custom.txt
formats.example1-ms-opponents.limit=13
formats.example1-ms-opponents.archetype-limit=1
+formats.example1-ms-opponents.only-ai-playable-cards=true
formats.example1-ms-opponents.sources.0=https://www.hareruyamtg.com/en/deck/result?pageSize=100&formats[11]=11&eventName=middle&public_status=public&grades=champion
formats.example1-ms-opponents.sources.1=https://www.hareruyamtg.com/en/deck/result?pageSize=100&formats[11]=11&eventName=middle&public_status=public&grades=top8
formats.example1-ms-opponents.sources.2=https://www.hareruyamtg.com/en/deck/result?pageSize=100&formats[11]=11&eventName=middle&public_status=public&grades=top8&page=2
@@ -25,28 +26,32 @@ formats.example1-ms-opponents.sources.5=https://www.hareruyamtg.com/en/deck/resu
formats.example1-ms-opponents.sources.6=https://www.hareruyamtg.com/en/deck/result?pageSize=100&formats[11]=11&eventName=middle&public_status=public&page=4
formats.example1-ms-opponents.output-dir=/home/kebi/git/repositories/mtg-genetic-deckbuilding/src/main/packaged-resources/cfg/example1/ms-opponents
-formats.example1-pm-opponents.banlists=banlist_ai.txt,banlist_custom.txt
+formats.example1-pm-opponents.banlists=banlist_custom.txt
formats.example1-pm-opponents.limit=12
formats.example1-pm-opponents.archetype-limit=1
+formats.example1-pm-opponents.only-ai-playable-cards=true
formats.example1-pm-opponents.sources.0=https://www.tcdecks.net/format.php?format=Premodern
formats.example1-pm-opponents.output-dir=/home/kebi/git/repositories/mtg-genetic-deckbuilding/src/main/packaged-resources/cfg/example1/pm-opponents2
-formats.example1-initial-population.banlists=banlist_ai.txt,banlist_ec.txt,banlist_custom.txt
+formats.example1-initial-population.banlists=banlist_ec.txt,banlist_custom.txt
formats.example1-initial-population.limit=20
formats.example1-initial-population.archetype-limit=20
+formats.example1-initial-population.only-ai-playable-cards=true
formats.example1-initial-population.sources.0=https://www.hareruyamtg.com/en/deck/result?pageSize=100&formats[11]=11&eventName=middle&public_status=public&grades=top8&archetypeIds=5841,5885,6440
formats.example1-initial-population.sources.1=https://www.tcdecks.net/archetype.php?archetype=Burn&format=Premodern
formats.example1-initial-population.output-dir=/home/kebi/git/repositories/mtg-genetic-deckbuilding/src/main/packaged-resources/cfg/example1/initial-population
-formats.pauper-meta.banlists=banlist_ai.txt,banlist_custom.txt
+formats.pauper-meta.banlists=banlist_custom.txt
formats.pauper-meta.limit=100
formats.pauper-meta.archetype-limit=100
+formats.pauper-meta.only-ai-playable-cards=true
formats.pauper-meta.sources.0=https://www.hareruyamtg.com/en/deck/result?pageSize=100&formats[8]=8&public_status=public
formats.pauper-meta.output-dir=/home/kebi/Documents/mtg/pauper/meta
-formats.standard-meta.banlists=banlist_ai.txt,banlist_custom.txt
+formats.standard-meta.banlists=banlist_custom.txt
formats.standard-meta.limit=100
formats.standard-meta.archetype-limit=100
+formats.standard-meta.only-ai-playable-cards=true
formats.standard-meta.sources.0=https://www.hareruyamtg.com/en/deck/result?pageSize=100&formats[1]=1&public_status=public
formats.standard-meta.output-dir=/home/kebi/Documents/mtg/standard/meta
diff --git a/src/main/packaged-resources/cfg/banlist_ai.txt b/src/main/packaged-resources/cfg/banlist_ai.txt
@@ -1,2544 +0,0 @@
-A-Alrund, God of the Cosmos
-Abandon Hope
-About Face
-Abundance
-Abundant Harvest
-Abyssal Persecutor
-Acidic Dagger
-Acidic Soil
-Acolyte's Reward
-Acorn Catapult
-Act of Authority
-Act on Impulse
-Adanto Vanguard
-Adarkar Unicorn
-Adarkar Windform
-Ad Nauseam
-Aeon Chronicler
-Aeon Engine
-Aethermage's Touch
-Aetherplasm
-Aether Shockwave
-Aether Snap
-Aethersnatch
-Aether Storm
-Aether Tide
-Aether Tradewinds
-Afterlife Insurance
-Agent of Shauku
-Agent of Stromgald
-Aggression
-Aggressive Mining
-A-Hakka, Whispering Raven
-Airdrop Condor
-Akki Avalanchers
-Akoum Flameseeker
-Akroma's Blessing
-Akul the Unrepentant
-Al-abara's Carpet
-Aladdin's Lamp
-Alchemist's Apprentice
-Alchemist's Gambit
-Alchemist's Refuge
-Alchor's Tomb
-Aleatory
-Alexi, Zephyr Mage
-Alliance of Arms
-Alluring Scent
-Alluring Siren
-Alpha Brawl
-Alpha Kavu
-Alrund, God of the Cosmos
-Altar of Dementia
-Altar of the Wretched
-Alter Reality
-Amber Prison
-Amoeboid Changeling
-Amok
-Amulet of Quoz
-Anaba Ancestor
-Ancestral Knowledge
-Ancient Spring
-Angelic Favor
-Angel of Salvation
-Angel's Trumpet
-An-Havva Township
-Animation Module
-Anthroplasm
-Anurid Brushhopper
-Apex Observatory
-Aphetto Alchemist
-Aphetto Dredging
-Aphetto Grifter
-Aquamoeba
-Aquitect's Will
-Araumi of the Dead Tide
-Arcane Lighthouse
-Arcane Spyglass
-Arcbond
-Archon of Valor's Reach
-Arctic Merfolk
-Arcum's Astrolabe
-Arcum's Sleigh
-Arcum's Whistle
-Argent Mutation
-Armageddon Clock
-Armed and Armored
-Armor of Thorns
-Arsenal Thresher
-Artificer's Intuition
-Artillerize
-Ashling's Prerogative
-Ashling the Pilgrim
-Ashnod's Cylix
-Assault Suit
-Assembly Hall
-Astral Slide
-Astrolabe
-Atalya, Samite Master
-A-Thran Portal
-Aura Barbs
-Aura Finesse
-Aura Graft
-Auriok Siege Sled
-Auriok Transfixer
-Auriok Windwalker
-Aurora Eidolon
-Aurora Griffin
-Autumn's Veil
-Autumn-Tail, Kitsune Sage
-Autumn Willow
-Avacyn, Guardian Angel
-Avarice Totem
-Aven Liberator
-Aven Mimeomancer
-Aven Windreader
-Avizoa
-Awe for the Guilds
-Axis of Mortality
-Aysen Abbey
-Azorius Ploy
-Azorius Signet
-Backdraft
-Backslide
-Bag of Holding
-Baki's Curse
-Balance of Power
-Balancing Act
-Balduvian Shaman
-Balm of Restoration
-Balthor the Defiled
-Bamboozle
-Bamboozling Beeble
-Bane of the Living
-Banishing Knack
-Banshee
-Barbarian Guides
-Barbed Sextant
-Bargaining Table
-Barrage of Expendables
-Barrage Tyrant
-Barrel Down Sokenzan
-Barrenton Medic
-Barrin
-Barrin, Master Wizard
-Barter in Blood
-Basal Sliver
-Basal Thrull
-Bathe in Light
-Battle Cry
-Batwing Brume
-Bazaar Trademage
-Bazaar Trader
-Beacon of Destiny
-Beast Within
-Behold the Beyond
-Belbe's Armor
-Benalish Missionary
-Bend or Break
-Benevolent Offering
-Betrayal of Flesh
-Betrothed of Fire
-Bifurcate
-Biomass Mutation
-Biorhythm
-Bioshift
-Birchlore Rangers
-Bite of the Black Rose
-Black Carriage
-Black Sun's Zenith
-Blasting Station
-Blast Zone
-Blaze of Glory
-Blazing Shoal
-Blessed Reincarnation
-Blighted Burgeoning
-Blind Fury
-Blinding Beam
-Blinding Fog
-Blind Seer
-Blinkmoth Infusion
-Blinkmoth Well
-Blood Celebrant
-Bloodfire Infusion
-Bloodflow Connoisseur
-Blood Oath
-Blood of the Martyr
-Blood Rites
-Bloodscent
-Bloodshot Cyclops
-Bloodthirsty Adversary
-Blood Vassal
-Bloom Tender
-Bogardan Dragonheart
-Bog Elemental
-Boggart Forager
-Bog Initiate
-Bog Naughty
-Bog Witch
-Bola Warrior
-Bolt Bend
-Boltbender
-Bond of Agony
-Bonds of Mortality
-Bone Flute
-Bone Shaman
-Boros Battleshaper
-Boros Fury-Shield
-Boros Signet
-Borrowing the East Wind
-Bosh, Iron Golem
-Bosh, Iron Golem Avatar
-Bösium Strip
-Bottomless Vault
-Bounty of the Hunt
-Brace for Impact
-Brain Pry
-Brain Weevil
-Brand
-Brand of Ill Omen
-Brass Squire
-Brass-Talon Chimera
-Brave-Kin Duo
-Brave the Elements
-Brawl
-Breaking Wave
-Breakthrough
-Breath of Fury
-Brightflame
-Brilliant Spectrum
-Brine Seer
-Brine Shaman
-Bringer of the Black Dawn
-Bring to Light
-Bronze Tablet
-Browse
-Brutal Deceiver
-Brutalizer Exarch
-Bubbling Muck
-Bulwark
-Burden of Guilt
-Burn at the Stake
-Burning Cloak
-Burning-Tree Bloodscale
-Burnt Offering
-Burr Grafter
-Burst of Speed
-Butcher Orgg
-Cabal Coffers
-Cabal Interrogator
-Cabal Patriarch
-Cabal Therapist
-Cabal Therapy
-Cache Raiders
-Cadaverous Bloom
-Cagemail
-Calciform Pools
-Calcite Snapper
-Caldera Hellion
-Call for Aid
-Call for Blood
-Callous Deceiver
-Callous Oppressor
-Call the Coppercoats
-Calming Licid
-Calming Verse
-Camouflage
-Candelabra of Tawnos
-Cannibalize
-Canopy Claws
-Canyon Drake
-Captain of the Mists
-Captain's Maneuver
-Caregiver
-Carnage Altar
-Carom
-Carpet of Flowers
-Carrion
-Carrion Rats
-Cartel Aristocrat
-Cascade Bluffs
-Castle Sengir
-Cataclysm
-Cataclysmic Gearhulk
-Cauldron of Souls
-Cave of Temptation
-Celestial Convergence
-Celestial Kirin
-Celestial Prism
-Cemetery Puca
-Cephalid Broker
-Cephalid Illusionist
-Cephalid Snitch
-Cerebral Vortex
-Cerulean Wisps
-Ceta Disciple
-Chainer, Nightmare Adept
-Chain Stasis
-Chamber of Manipulation
-Champion of Stray Souls
-Chandra Ablaze
-Chandra, Pyromaster
-Channel
-Channel the Suns
-Chaos Harlequin
-Chaoslace
-Chaos Lord
-Chaos Moon
-Charge Across the Araba
-Charge of the Forever-Beast
-Chariot of the Sun
-Charm Peddler
-Cheering Fanatic
-Chill Haunting
-Chimeric Coils
-Chimeric Idol
-Chimeric Staff
-Choice of Damnations
-ChooseName:DB$ NameCard | ValidCards$ Card.nonLand | Defined$ You | AtRandom$ True | SubAbility$ CreateAbility
-Chromatic Armor
-Chromatic Sphere
-Chromatic Star
-Chromeshell Crab
-Chronatog
-Chronatog Avatar
-Cinderhaze Wretch
-Cinder Seer
-Circle of Despair
-Circling Vultures
-Citanul Flute
-City in a Bottle
-City of Shadows
-City of Traitors
-Civic Guildmage
-Civilized Scholar
-Clairvoyance
-Claws of Gix
-Cleansing
-Cleansing Beam
-CleanupName:DB$ Cleanup | ClearNamedCard$ True
-Cliffside Market
-Cloak of Confusion
-Clock of Omens
-Coalhauler Swine
-Coastal Wizard
-Coffin Puppets
-Cold Storage
-Colfenor's Plans
-Collective Voyage
-Command Beacon
-Commandeer
-Commander's Sphere
-Command the Dreadhorde
-Commune with Lava
-Complex Automaton
-Composite Golem
-Compulsion
-Confiscation Coup
-Conjured Currency
-Conjurer's Closet
-Consign to Dream
-Conspiracy
-Consuming Ferocity
-Contagion
-Contamination
-Contested Cliffs
-Contingency Plan
-Contraband Livestock
-Contract from Below
-Convincing Mirage
-Convulsing Licid
-Cooperate
-Cooperation
-Coordinated Barrage
-Copperhoof Vorrac
-Copper-Leaf Angel
-Copy Enchantment
-Coral Fighters
-Coral Helm
-Coral Reef
-Coral Trickster
-Coretapper
-Corpse Augur
-Corpse Blockade
-Corpse Lunge
-Corpse Traders
-Corpseweft
-Corrupted Grafstone
-Corrupting Licid
-Cosmic Larva
-Cosmium Catalyst
-Courtly Provocateur
-Covetous Elegy
-Covetous Urge
-Crag Puca
-Cranial Archive
-Crater Elemental
-Crazed Armodon
-Cream of the Crop
-Credit Voucher
-Creeping Renaissance
-Crested Craghorn
-Crookclaw Transmuter
-Crosis's Attendant
-Crossbow Ambush
-Crovax the Cursed
-Crown of Ascension
-Crown of Awe
-Crown of Convergence
-Crown of Doom
-Crown of Fury
-Crown of Suspicion
-Crown of the Ages
-Crown of Vigor
-Crucible of the Spirit Dragon
-Cruel Deceiver
-Cruel Entertainment
-Cruel Fate
-Cruel Sadist
-Crush of Tentacles
-Crypt Creeper
-Cryptic Gateway
-Crypt of Agadeem
-Crystal Quarry
-Crystal Shard
-Crystal Spray
-Crystal Vein
-Culling Dais
-Culling Mark
-Culling Scales
-Culling the Weak
-Cultural Exchange
-Cunning Giant
-Cuombajj Witches
-Curfew
-Curse of Chaos
-Curse of Echoes
-Curse of the Swine
-Customs Depot
-Cyclone
-Cyclopean Tomb
-Cytoplast Manipulator
-Cytoshape
-Daghatar the Adamant
-Dakkon Blackblade Avatar
-Dakmor Salvage
-Dakra Mystic
-Damping Engine
-Dance of the Manse
-Dance of the Skywise
-Dangerous Wager
-Daretti, Scrap Savant
-Darigaaz's Attendant
-Daring Thief
-Dark Deal
-Dark Heart of the Wood
-Darkheart Sliver
-Dark Maze
-Darkpact
-Dark Privilege
-Darksteel Mutation
-Dark Supplicant
-Dark Triumph
-Darkwater Catacombs
-Darkwater Egg
-Daughter of Autumn
-Dauntless Escort
-Dawnfluke
-Dawnglare Invoker
-Dawn's Reflection
-Day's Undoing
-Dazzling Reflection
-Dead-Iron Sledge
-Deadly Tempest
-Deadly Wanderings
-Dead Reckoning
-Dead Ringers
-Deadshot
-Death Bomb
-Death Cloud
-Deathknell Kami
-Deathlace
-Deathmark Prelate
-Death-Mask Duplicant
-Death Pit Offering
-Debt of Loyalty
-Decaying Soil
-Deceiver of Form
-Decree of Annihilation
-Decree of Pain
-Deep Water
-Deepwood Elder
-Defensive Maneuvers
-Defiant Stand
-Deflection
-Deftblade Elite
-Delif's Cone
-Delif's Cube
-Dementia Sliver
-Demonic Appetite
-Demonic Attorney
-Demonic Collusion
-Demonic Consultation
-Demonic Pact
-Demonmail Hauberk
-Demoralize
-Descendant of Masumaro
-Descent into Madness
-Descent of the Dragons
-Desecration Elemental
-Deserter's Quarters
-Desolate Mire
-Desolation
-Desolation Giant
-Desperate Gambit
-Desperate Research
-Detainment Spell
-Detection Tower
-Detritivore
-Devastating Dreams
-Devastating Summons
-Devoted Caretaker
-Devoted Druid
-Devouring Greed
-Devouring Hellion
-Devouring Rage
-Devouring Strossus
-Devout Decree
-Diabolic Intent
-Diabolic Revelation
-Diamond Lion
-Diminish
-Diminishing Returns
-Dimir Charm
-Dimir Doppelganger
-Dimir Machinations
-Dimir Signet
-Dinosaur Headdress
-Dire Wolves
-Disallow
-Disappearing Act
-Disarm
-Disaster Radius
-Disciple of Bolas
-Discontinuity
-Discord, Lord of Disharmony
-Disharmony
-Dispatch
-Dispersal Shield
-Dispersing Orb
-Displace
-Dispossess
-Disrupting Shoal
-Distorting Lens
-Divebomber Griffin
-Divergent Growth
-Diversionary Tactics
-Divert
-Divine Deflection
-Divine Intervention
-Divine Light
-Divine Reckoning
-Diviner's Lockbox
-Divining Witch
-Dizzy Spell
-Djinn Illuminatus
-Djinn of Infinite Deceits
-Djinn of Wishes
-Dominate
-Dominating Licid
-Domineering Will
-Doomsday
-Doomsday Confluence
-Doubling Cube
-Dovin, Hand of Control
-Drafna's Restoration
-Dragon Mask
-Dragonrage
-Dragonshift
-Dragon Throne of Tarkir
-Dralnu, Lich Lord
-Drawn from Dreams
-Dread Charge
-Dreadship Reef
-Dreamcatcher
-Dream Salvage
-Dream's Grip
-Dream Stalker
-Dream Thrush
-Dreamwinder
-Dregs of Sorrow
-Dromar's Attendant
-Dromar, the Banisher
-Droning Bureaucrats
-Drop of Honey
-Drowned Rusalka
-Drown in Filth
-Dryad's Caress
-Dualcaster Mage
-Duct Crawler
-Dulcet Sirens
-Duplicity
-Dust of Moments
-Dwarven Armorer
-Dwarven Armory
-Dwarven Hold
-Dwarven Recruiter
-Dwarven Ruins
-Dwarven Sea Clan
-Dwarven Song
-Dwarven Thaumaturgist
-Dwell on the Past
-Early Harvest
-Earthbrawn
-Earthcraft
-Eater of Hope
-Ebonblade Reaper
-Ebon Stronghold
-Ebony Charm
-Ebony Horse
-Echoing Calm
-Echoing Decay
-Echoing Ruin
-Edge of Autumn
-Eight-and-a-Half-Tails
-Eladamri
-Elder Druid
-Elfhame Sanctuary
-Elite Arcanist
-Elsewhere Flask
-Elturel Survivors
-Elusive Tormentor
-Elven Palisade
-Elvish Scout
-Embalmed Brawler
-Embercleave
-Ember Gale
-Emberwilde Caliph
-Embolden
-Emerald Charm
-Emergence Zone
-Empty City Ruse
-Emrakul, the Promised End
-Endemic Plague
-Endless Horizons
-Endless Whispers
-Endling
-Endure
-Enduring Renewal
-Energy Arc
-Energy Chamber
-Energy Tap
-Energy Vortex
-Enervate
-Engineered Explosives
-Enigma Eidolon
-Enraging Licid
-Ensnare
-Entrancing Lyre
-Entrancing Melody
-Epic Experiment
-Epiphany Storm
-Equal Treatment
-Errand of Duty
-Erratic Mutation
-Error
-Ersatz Gnomes
-Ertai's Meddling
-Ertai, the Corrupted
-Esix, Fractal Bloom
-Esper Sojourners
-Essence Bottle
-Essence Flare
-Ethereal Champion
-Etherwrought Page
-Eunuchs' Intrigues
-Evershrike
-Everythingamajig
-Evolutionary Leap
-Evolution Charm
-Excavator
-Exert Influence
-Experiment Kraj
-Exponential Growth
-Extract
-Extravagant Spirit
-Eyekite
-Eye of Doom
-Eye of Ojer Taq
-Eye of Ramos
-Eye of Singularity
-Eye of the Storm
-Eyes of the Watcher
-Eye Spy
-Fabrication Foundry
-Faceless One
-Fade Away
-Faeburrow Elder
-Faith Healer
-Faithless Looting
-Faith's Shield
-Falkenrath Torturer
-False Dawn
-False Orders
-False Peace
-Falter
-Familiar's Ruse
-Famished Ghoul
-Fanatical Devotion
-Faramir, Prince of Ithilien
-Farrelite Priest
-Fascination
-Fasting
-Fatal Attraction
-Fatal Lore
-Fatal Mutation
-Fatestitcher
-Fate Transfer
-Fatigue
-Fault Riders
-Feed the Pack
-Feint
-Fendeep Summoner
-Fend Off
-Feral Contest
-Feral Deceiver
-Ferrous Lake
-Fertile Ground
-Fertile Imagination
-Festival
-Festival of the Guildpact
-Fetid Heath
-Fettergeist
-Field of Dreams
-Fiend Artisan
-Fiery Bombardment
-Fiery Gambit
-Fighting Chance
-Final Flare
-Final Fortune
-Final Revels
-Final Strike
-Fire and Brimstone
-Fireblade Artist
-Firecat Blitz
-Fire Covenant
-Firedrinker Satyr
-Firefright Mage
-Fire-Lit Thicket
-Firemind Vessel
-Firespout
-Fire Sprites
-Firestorm
-Flailing Manticore
-Flailing Ogre
-Flailing Soldier
-Flame Fusillade
-Flame-Kin War Scout
-Flameshot
-Flaring Pain
-Flash
-Flash of Defiance
-Flash of Insight
-Fleeting Spirit
-Flesh Reaver
-Flicker
-Flickerform
-Flickering Ward
-Flicker of Fate
-Floating Shield
-Floodbringer
-Floodchaser
-Flooded Grove
-Flooded Shoreline
-Floodtide Serpent
-Floodwater Dam
-Flowstone Slide
-Flowstone Surge
-Flurry of Wings
-Flux
-Fluxcharger
-Fog Patch
-Folio of Fancies
-Food Chain
-Footbottom Feast
-Forbid
-Forbidden Crypt
-Forbidden Ritual
-Forced March
-Force of Virtue
-Foreshadow
-Foresight
-Forfend
-Forge Armor
-Forgotten Lore
-Forsaken City
-Fortified Area
-Fortitude
-Fossil Find
-Foul-Tongue Shriek
-Foxfire
-Frantic Salvage
-Freed from the Real
-Frenetic Ogre
-Frenetic Sliver
-Fresh Meat
-Freyalise Supplicant
-Friendly Fire
-Funeral Pyre
-Fungal Reaches
-Fungus Elemental
-Furnace Brood
-Fury Charm
-Fylamarid
-Gabriel Angelfire
-Gaea's Blessing
-Gaea's Liege
-Galepowder Mage
-Gallowbraid
-Game of Chaos
-Gargantuan Gorilla
-Gargoyle Sentinel
-Garth One-Eye
-Gather Specimens
-Gauntlets of Chaos
-Gaze of Granite
-Gaze of Pain
-Gemstone Caverns
-General Jarkeld
-General's Regalia
-Generator Servant
-Geothermal Crevice
-Ghastly Haunting
-Ghave, Guru of Spores
-Ghostly Flicker
-Ghostly Possession
-Ghostly Touch
-Ghost Tactician
-Ghostway
-Ghoulcaller Gisa
-Ghoulcaller's Chant
-Giant Caterpillar
-Giant Oyster
-Giant Slug
-Giant Trap Door Spider
-Gibbering Descent
-Gideon, Champion of Justice
-Gideon Jura
-Gift of Doom
-Gift of Tusks
-Gilded Light
-Gitaxian Probe
-Give
-Glacial Chasm
-Glamerdye
-Glarecaster
-Glare of Subdual
-Glarewielder
-Glasses of Urza
-Glen Elendra
-Glen Elendra Pranksters
-Gliding Licid
-Glimmervoid Basin
-Glissa Sunseeker
-Glorious End
-Glyph of Destruction
-Glyph of Doom
-Glyph of Life
-Gnathosaur
-Goblin Archaeologist
-Goblin Artisans
-Goblin Bangchuckers
-Goblin Bombardment
-Goblin Cadets
-Goblin Cannon
-Goblin Clearcutter
-Goblin Diplomats
-Goblin Dynamo
-Goblin Flectomancer
-Goblin Game
-Goblin Legionnaire
-Goblin Lyre
-Goblin Machinist
-Goblin Recruiter
-Goblin Sappers
-Goblin Ski Patrol
-Goblin Test Pilot
-Goblin War Cry
-Goblin Welder
-God-Eternal Bontu
-Godtoucher
-Golgari Signet
-Golgothian Sylex
-Gore Vassal
-Gossamer Chains
-Grab the Reins
-Graceful Antelope
-Gravebind
-Grave Consequences
-Graven Cairns
-Gravepurge
-Grave Servitude
-Grazing Kelpie
-Great Defender
-Greater Good
-Greel, Mind Raker
-Greenseeker
-Grell Philosopher
-Gremlin Mine
-Grenzo, Dungeon Warden
-Grid Monitor
-Grim Contest
-Grimoire of the Dead
-Grimoire Thief
-Grim Reminder
-Grinning Ignus
-Grinning Totem
-Grixis Charm
-Grixis Illusionist
-Gruul Signet
-Guard Dogs
-Guardian Angel
-Guiding Spirit
-Guild Globe
-Gurzigost
-Gustha's Scepter
-Hail Storm
-Hakka, Whispering Raven
-Hallow
-Hallowed Ground
-Halls of Mist
-Hammerheim
-Hankyu
-Hapless Researcher
-Hard Cover
-Harmonic Convergence
-Harmony of Nature
-Harm's Way
-Harsh Deceiver
-Harsh Justice
-Harsh Mercy
-Harvest Mage
-Harvest Pyre
-Hatred
-Haunted Crossroads
-Haunting Misery
-Havengul Lich
-Havenwood Battleground
-Hazduhr the Abbot
-Head Games
-Healing Grace
-Heap Doll
-Heart of Ramos
-Heart Warden
-Heartwarming Redemption
-Heartwood Shard
-Heat Stroke
-Heat Wave
-Heaven's Gate
-Hecatomb
-Helionaut
-HELIOS One
-Hell-Bent Raider
-Hellish Rebuke
-Hell's Caretaker Avatar
-Helvault
-Henge of Ramos
-Heretic's Punishment
-Heritage Druid
-Heroic Defiance
-Heroism
-Hesitation
-Hew the Entwood
-Hex Parasite
-Hidden Stag
-Hidden Strings
-High Tide
-Hisoka, Minamo Sensei
-Hisoka's Guard
-Hobbit's Sting
-Holistic Wisdom
-Hollowhenge Spirit
-Hollow Trees
-Holy Justiciar
-Homarid Spawning Bed
-Homicidal Brute
-Homing Sliver
-Horn of Ramos
-Horror of Horrors
-Hour of Eternity
-Hour of Need
-Hua Tuo, Honored Physician
-Hubris
-Hull Breach
-Hundred-Talon Strike
-Hunt Down
-Hunter's Ambush
-Hunter's Insight
-Hurr Jackal
-Hydromorph Guardian
-Hydromorph Gull
-Hyperion Blacksmith
-Hypochondria
-Ib Halfheart, Goblin Tactician
-Icatian Store
-Iceberg
-Ice Cauldron
-Ice Floe
-Ichor Explosion
-Ideas Unbound
-Idol of Endurance
-Ignition Team
-Ignorant Bliss
-Iizuka the Ruthless
-Ill-Gotten Gains
-Illuminated Folio
-Illuminated Wings
-Illusionary Mask
-Illusionary Terrain
-Illusionist's Gambit
-Illusionist's Stratagem
-Illusion of Choice
-Illusory Demon
-Imagecrafter
-Immovable Rod
-Impelled Giant
-Implements of Sacrifice
-Imprison
-Improbable Alliance
-Impromptu Raid
-Improvised Club
-Imp's Mischief
-Imps' Taunt
-Iname, Death Aspect
-Incandescent Soulstoke
-Incite
-Incite Hysteria
-Incite Rebellion
-Incite War
-Indestructible Aura
-Induce Despair
-Infernal Darkness
-Infernal Harvest
-Infernal Offering
-Infernal Plunge
-Infernal Tribute
-Infernal Tutor
-Inferno Trap
-Infinite Obliteration
-Infused Arrows
-Infuse with the Elements
-Initiates of the Ebon Hand
-Inkfathom Witch
-Inner Sanctum
-Inner Struggle
-Innocent Blood
-Inquisitor's Snare
-Inside Out
-Insidious Dreams
-Insidious Mist
-Insist
-Inspired Sprite
-Instigator
-Intellectual Offering
-Interdict
-Interplanar Beacon
-Intervention Pact
-Intimidation Bolt
-Into the Fray
-Invert the Skies
-Ion Storm
-Irencrag Feat
-Iron-Heart Chimera
-Irresistible Prey
-Irrigation Ditch
-Island of Wak-Wak
-Island Sanctuary
-Isochron Scepter
-Ith, High Arcanist
-Ivory Charm
-Ivory Gargoyle
-Ivy Seer
-Izzet Chemister
-Izzet Signet
-Jace's Archivist
-Jace, the Living Guildpact
-Jackalope Herd
-Jade Monolith
-Jalira, Master Polymorphist
-Jamuraan Lion
-Jandor's Ring
-Jandor's Saddlebags
-Jangling Automaton
-Jar of Eyeballs
-Jasmine Seer
-Jester's Cap
-Jester's Mask
-Jester's Scepter
-Jetfire, Air Guardian
-Jetfire, Ingenious Scientist
-Jeweled Amulet
-Jeweled Bird
-Jeweled Spirit
-Jhoira of the Ghitu
-Jinx
-Jinxed Choker
-Jinxed Idol
-Jinxed Ring
-Johan
-Jolrael, Mwonvuli Recluse
-Jolt
-Jolting Merfolk
-Journey of Discovery
-Judge Unworthy
-Juju Bubble
-Jund Charm
-Junk Golem
-Junkyo Bell
-Juxtapose
-Kaboom!
-Kaervek's Spite
-Kagemaro, First to Suffer
-Kagemaro's Clutch
-Kaho, Minamo Historian
-Kaleidostone
-Kamahl's Summons
-Kami of Ancient Law
-Karn, Silver Golem
-Karn's Touch
-Karona's Zealot
-Karplusan Minotaur
-Kavu Recluse
-Kaya, Ghost Assassin
-Kazuul's Toll Collector
-Keeper of Progenitus
-Keldon Battlewagon
-Keldon Necropolis
-Kenrith's Transformation
-Kheru Spellsnatcher
-Kiku, Night's Flower
-Kiku's Shadow
-Killing Glare
-Killing Wave
-Kill-Suit Cultist
-Kill Switch
-Kindle the Carnage
-Kiora's Follower
-Kithkin Armor
-Kitsune Mystic
-Kitsune Palliator
-Kjeldoran Javelineer
-Kjeldoran Pride
-Knacksaw Clique
-Knight of the Mists
-Knollspine Dragon
-Knotvine Mystic
-Knowledge Exploitation
-Knowledge Vault
-Kor Chant
-Kor Dirge
-Kor Outfitter
-Koskun Keep
-Krark-Clan Engineers
-Krark-Clan Ironworks
-Krark-Clan Ogre
-Krark-Clan Shaman
-Krark-Clan Stoker
-Krasis Incubation
-Kris Mage
-Krosan Archer
-Krosan Reclamation
-Krosan Restorer
-Krovikan Plague
-Krovikan Sorcerer
-Krovikan Whispers
-Kry Shield
-Kukemssa Serpent
-Kuldotha Flamefiend
-Kylox, Visionary Inventor
-Labyrinth of Skophos
-Lady Evangela
-Lady Sun
-Lake of the Dead
-Lammastide Weave
-Lancers en-Kor
-Land's Edge
-Landslide
-Lantern of Insight
-Laquatus's Creativity
-Last Chance
-Last-Ditch Effort
-Latulla, Keldon Overseer
-Launch Party
-Lavabrink Floodgates
-Lead-Belly Chimera
-Leaden Fists
-Leave No Trace
-Leech Bonder
-Leeches
-Leeching Licid
-Legerdemain
-Lens of Clarity
-Leviathan
-Liar's Pendulum
-Lieutenant Kirtar
-Lifecraft Awakening
-Lifelace
-Life Matrix
-Life's Legacy
-Lightning Dart
-Lightning Storm
-Lightning Volley
-Liliana's Indignation
-Lim-Dûl's Paladin
-Lim-Dûl's Vault
-Limestone Golem
-Limited Resources
-Lion's Eye Diamond
-Liquid Fire
-Lithatog
-Lithomantic Barrage
-Living Destiny
-Llanowar Druid
-Loathsome Catoblepas
-Lobelia Sackville-Baggins
-Locus of Enlightenment
-Long-Term Plans
-Lost Legacy
-Lotus Blossom
-Loxodon Lifechanter
-Loxodon Peacekeeper
-Lumengrid Augur
-Luminesce
-Lyzolda, the Blood Witch
-Madblind Mountain
-Maddening Imp
-Mad Prophet
-Mageta the Lion
-Magewright's Stone
-Magical Hack
-Magma Burst
-Magma Giant
-Magmasaur
-Magmatic Channeler
-Magmatic Chasm
-Magmatic Insight
-Magma Vein
-Magmaw
-Magnetic Theft
-Magosi, the Waterveil
-Magus of the Bazaar
-Magus of the Candelabra
-Magus of the Jar
-Magus of the Unseen
-Magus of the Wheel
-Malakir Soothsayer
-Malevolent Awakening
-Malicious Advice
-Manabond
-Mana Cache
-Mana Clash
-Mana Cylix
-Mana Maze
-Manamorphose
-Mana Prism
-Manascape Refractor
-Mana Screw
-Mana Seism
-Mana Severance
-Mana Short
-Mana Vapors
-Mandate of Peace
-Mangara's Tome
-Manifold Key
-Manipulate Fate
-Mannichi, the Fevered Dream
-Manor Gargoyle
-Maraleaf Rider
-Maralen of the Mornsong Avatar
-Marath, Will of the Wild
-Marauding Raptor
-Maraxus of Keld
-March of the Drowned
-Mardu Blazebringer
-Marker Beetles
-Market Festival
-Mark for Death
-Maro
-Maro Avatar
-Marshaling the Troops
-Marshal's Anthem
-Marsh Flitter
-Marsh Lurker
-Martyred Rusalka
-Martyr of Ashes
-Martyr of Bones
-Martyr of Frost
-Martyr of Sands
-Martyr of Spores
-Martyr's Cause
-Martyrs' Tomb
-Mask of Immolation
-Mask of the Mimic
-Mass Polymorph
-Mastercraft Raptor
-Masterful Replication
-Master of the Veil
-Master Warcraft
-Masticore
-Masumaro, First to Live
-Measure of Wickedness
-Meddle
-Medicine Bag
-Megatherium
-Melee
-Meltdown
-Memoricide
-Memory Jar
-Memory Plunder
-Memory's Journey
-Mental Discipline
-Mercadian Lift
-Mercadia's Downfall
-Merchant Scroll
-Merciless Resolve
-Merfolk Thaumaturgist
-Merrow Grimeblotter
-Merrow Wavebreakers
-Mesmeric Sliver
-Mesmeric Trance
-Metalworker
-Metamorphose
-Metamorphosis
-Metathran Transport
-Meteor Crater
-Meteor Shower
-Midnight Ritual
-Midsummer Revel
-Might of the Nephilim
-Minamo Sightbender
-Mind Bend
-Mindblaze
-Mind Bomb
-Mindbreak Trap
-Mind Extraction
-Mind Games
-Mindlash Sliver
-Mindlink Mech
-Mind Over Matter
-Mindreaver
-Minds Aglow
-Mind Slash
-Mindslaver
-Mind Swords
-Minion of Leshrac
-Minion of the Wastes
-Minions' Murmurs
-Mirage Mirror
-Mire Shade
-Mirozel
-Mirri
-Mirror Entity
-Mirror of Fate
-Mirror of the Forebears
-Mirror Strike
-Mirrorwood Treefolk
-Mischievous Quanar
-Misdirection
-Mishra's Bauble
-Mishra's Helix
-Misinformation
-Misleading Signpost
-Mission Briefing
-Mistbreath Elder
-Mistform Dreamer
-Mistform Mask
-Mistform Mutant
-Mistform Seaswift
-Mistform Shrieker
-Mistform Skyreaver
-Mistform Sliver
-Mistform Stalker
-Mistform Wakecaster
-Mistform Wall
-Mistform Warchief
-Mitotic Manipulation
-Mizzium Transreliquat
-Mizzix's Mastery
-Mnemonic Nexus
-Mogg Cannon
-Mogg Raider
-Mogg Squad
-Mogis's Warhound
-Molten Firebird
-Molten Slagheap
-Moment of Silence
-Momentous Fall
-Monstrous Emergence
-Moonbow Illusionist
-Moonlace
-Moonlight Bargain
-Moonlight Geist
-Moonmist
-Moonring Island
-Moonring Mirror
-Morality Shift
-Moratorium Stone
-Morgue Thrull
-Morgue Toad
-Morinfen
-Morinfen Avatar
-Moriok Replica
-Mossfire Egg
-Mossfire Valley
-Mountain Titan
-Mourning
-Murderous Betrayal
-Myojin of Life's Web
-Myojin of Seeing Winds
-Myr Landshaper
-Myr Quadropod
-Mystic Barrier
-Mystic Compass
-Mystic Confluence
-Mystic Gate
-Mystic Reflection
-Mystic Veil
-Mythos of Snapdax
-Nacatl Hunt-Pride
-Nahiri's Lithoforming
-Nahiri's Wrath
-Nahiri, the Lithomancer
-Naked Singularity
-Nameless Race
-Nantuko Cultivator
-Nantuko Mentor
-Narcissism
-Natural Affinity
-Nature's Chosen
-Nebuchadnezzar
-Necrodominance
-Necromancer's Stockpile
-Necropotence Avatar
-Need for Speed
-Nefarious Lich
-Nemata, Grove Guardian
-Nesting Grounds
-Netherborn Altar
-Nethergoyf
-Nettling Imp
-Neurok Replica
-Neverending Torment
-New Frontiers
-Niblis of the Breath
-Nightbird's Clutches
-Night Dealings
-Nightmare Unmaking
-Night Out in Vegas
-Nightscape Apprentice
-Nightshade Assassin
-Nightshade Seer
-Night Soil
-Nihilistic Glee
-Nim Replica
-Nim Shambler
-Nissa's Judgment
-Niveous Wisps
-Nivix, Aerie of the Firemind
-Nivmagus Elemental
-Nomadic Elf
-Nomads en-Kor
-Nomad Stadium
-Norritt
-North Star
-Nostalgic Dreams
-Nourishing Shoal
-Nova Pentacle
-Noxious Vapors
-Nullmage Advocate
-Nullmage Shepherd
-Nullstone Gargoyle
-Nurturing Licid
-Nyx Weaver
-Oath of Lim-Dûl
-Oath of Scholars
-Obeka, Brute Chronologist
-Oblivion Crown
-Oblivion Stone
-Ob Nixilis of the Black Oath
-Oboro Breezecaller
-Oboro Envoy
-Obscuring Aether
-Odric, Master Tactician
-Odunos River Trawler
-Offalsnout
-Ogre Battlecaster
-Ogre Recluse
-Omnath, Locus of Mana
-Omnibian
-One with Death
-Ooze Flux
-Opal Acrolith
-Opal-Eye, Konda's Yojimbo
-Ophidian
-Opposition
-Oppressive Will
-Oracle
-Oracle's Attendants
-Orcish Bloodpainter
-Orcish Farmer
-Orcish Librarian
-Orcish Lumberjack
-Orcish Mechanics
-Orcish Settlers
-Order of Succession
-Oread of Mountain's Blaze
-Ore-Rich Stalactite
-Oreskos Explorer
-Oriss, Samite Guardian
-Ormos, Archive Keeper
-Ornate Kanzashi
-Orochi Leafcaller
-Orzhov Charm
-Orzhov Pontiff
-Orzhov Signet
-Otherworld Atlas
-Oubliette
-Outbreak
-Outmaneuver
-Outrider en-Kor
-Overblaze
-Overcharged Amalgam
-Overeager Apprentice
-Overflowing Basin
-Overgrown Estate
-Overlaid Terrain
-Overmaster
-Overtaker
-Overwhelm
-Ovinomancer
-Oxidda Daredevil
-Pack Hunt
-Pack's Disdain
-Pact of Negation
-Pact of the Serpent
-Pact of the Titan
-Painbringer
-Painted Bluffs
-Pale Moon
-Paleontologist's Pick-Axe
-Pale Wayfarer
-Panacea
-Pangosaur
-Panoptic Mirror
-Paradigm Shift
-Parallax Dementia
-Parallax Tide
-Parallax Wave
-Parallectric Feedback
-Parallel Thoughts
-Pardic Lancer
-Pardic Miner
-Pardic Swordsmith
-Paroxysm
-Past in Flames
-Patriarch's Bidding
-Patriarch's Desire
-Patron of the Akki
-Patron of the Kitsune
-Patron of the Moon
-Patron of the Nezumi
-Patron of the Orochi
-Peacekeeper
-Peat Bog
-Peek
-Peel from Reality
-Peer Pressure
-Peregrine Mask
-Perpetual Timepiece
-Perplexing Chimera
-Personal Incarnation
-Petals of Insight
-Petrahydrox
-Phantasmal Form
-Phantasmal Mount
-Phantasmal Sphere
-Phantasmal Terrain
-Phantatog
-Phelddagrif
-Phosphorescent Feast
-Phyrexian Colossus
-Phyrexian Delver
-Phyrexian Devourer
-Phyrexian Etchings
-Phyrexian Gremlins
-Phyrexian Grimoire
-Phyrexian Negator
-Phyrexian Plaguelord
-Phyrexian Portal
-Phyrexian Processor
-Phyrexian Purge
-Phyrexian Reclamation
-Phyrexian Revoker
-Phyrexian Scrapyard
-Phyrexian Soulgorger
-Phyrexian Splicer
-Phyrexian Totem
-Phyrexian Tower
-Phyrexian Vault
-Phyrexia's Core
-Piety
-Pili-Pala
-Pillar Tombs of Aku
-Pitchstone Wall
-Plagiarize
-Plague Boiler
-Plaguemaw Beast
-Plague Reaver
-Planar Guide
-Planar Overlay
-Planeswalker's Fury
-Plow Through Reito
-Plunge into Darkness
-Political Trickery
-Pollen Remedy
-Polymorph
-Polymorphist's Jest
-Polymorphous Rush
-Portal Mage
-Portal of Sanctuary
-Postmortem Lunge
-Powder Keg
-Praetor's Grasp
-Precognition
-Predict
-Price of Glory
-Priest of Yawgmoth
-Primal Adversary
-Primal Cocoon
-Primal Plasma
-Primordial Mist
-Primordial Ooze
-Prism Array
-Prismatic Circle
-Prismatic Ending
-Prismatic Lace
-Prismatic Lens
-Prismatic Strands
-Prismite
-Prismwake Merrow
-Proclamation of Rebirth
-Profane Command
-Profaner of the Dead
-Profane Transfusion
-Prohibit
-Promise of Power
-Prophetic Prism
-Prophetic Ravings
-Protective Sphere
-Proteus Staff
-Provoke
-Psionic Entity
-Psionic Ritual
-Psychatog
-Psychic Intrusion
-Psychic Possession
-Psychic Puppetry
-Psychic Surgery
-Psychic Theft
-Psychic Trance
-Psychic Transfer
-Psychic Vortex
-Psychosis Crawler
-Psychotic Episode
-Pteron Ghost
-Puca's Mischief
-Pulsemage Advocate
-Pulse of Llanowar
-Puppeteer
-Puppet Strings
-Puppet's Verdict
-Pure Intentions
-Purelace
-Puresight Merrow
-Pursuit of Knowledge
-Putrid Cyclops
-Putrid Imp
-Putrid Leech
-Putrid Warrior
-Pygmy Hippo
-Pyric Salamander
-Pyromancy
-Pyromania
-Pyxis of Pandemonium
-Quagmire Druid
-Quarum Trench Gnomes
-Quest for Pure Flame
-Questing Phelddagrif
-Quickchange
-Quicken
-Quickening Licid
-Quicksilver Dragon
-Quicksilver Elemental
-Quiet Speculation
-Quirion Ranger
-Radiant Flames
-Radiant Kavu
-Ragamuffyn
-Ragnar
-Rainbow Crow
-Rain of Daggers
-Rain of Filth
-Rain of Rust
-Rakalite
-Rakdos Augermage
-Rakdos Charm
-Rakdos Riteknife
-Rakdos Signet
-Rally the Ancestors
-Rally the Righteous
-Rally the Troops
-Ramosian Rally
-Ransack
-Rapid Decay
-Rapid Fire
-Rath's Edge
-Rats' Feast
-Ravenous Vampire
-Raze
-Razia, Boros Archangel
-Razia's Purification
-Razormane Masticore
-Razor Pendulum
-Read the Runes
-Reality Ripple
-Reality Spasm
-Reality Twist
-Realm Razer
-Reaping the Rewards
-Rebound
-Recall
-Recantation
-Reckless Abandon
-Reckless Assault
-Reckless Barbarian
-Reclusive Wight
-Reconnaissance
-Recurring Insight
-Redcap Melee
-Redeem
-Redirect
-Reef Shaman
-Reflect Damage
-Reflecting Mirror
-Refraction Trap
-Refuse
-Reign of Terror
-Reins of Power
-Reins of the Vinesteed
-Reject Imperfection
-Relic Bind
-Relic Ward
-Remedy
-Renounce
-Repel Intruders
-Repel the Abominable
-Repentance
-Replicate
-Reprocess
-Repudiate
-Reroute
-Rescue from the Underworld
-Reset
-Reshape
-Resilient Wanderer
-Resistance Fighter
-Resounding Roar
-Resounding Scream
-Resounding Silence
-Restless Dreams
-Restore Balance
-Resuscitate
-Retraced Image
-Retraction Helix
-Retribution of the Ancients
-Revelation
-Reverberation
-Reverent Mantra
-Reverse the Sands
-Reweave
-Rhystic Cave
-Rhystic Circle
-Rhystic Deluge
-Rhystic Lightning
-Rhystic Shield
-Ria Ivor, Bane of Bladehold
-Riddle of Lightning
-Ride the Avalanche
-Rift Elemental
-Righteous Aura
-Righteousness
-Rimehorn Aurochs
-Rimewind Taskmage
-Ring of Gix
-Ring of Ma'rûf
-Riot Control
-Riptide Chronologist
-Riptide Mangler
-Riptide Shapeshifter
-Rishadan Port
-Rite of Ruin
-Rite of Undoing
-Rites of Initiation
-Rites of Refusal
-Rites of Spring
-Rith's Attendant
-Ritual of Subdual
-Ritual of the Machine
-River's Grasp
-Roar of Challenge
-Roar of Jukai
-Roar of the Crowd
-Roar of the Kha
-Rocket Launcher
-Rock Hydra
-Rofellos's Gift
-Rogue Skycaptain
-Roiling Horror
-Roilmage's Trick
-Role Reversal
-Rollick of Abandon
-Root Greevil
-Rootrunner
-Rootwater Mystic
-Rotting Giant
-Rouse
-Rude Awakening
-Rugged Prairie
-Rug of Smothering
-Ruins of Trokair
-Rumbling Crescendo
-Rummaging Wizard
-Run Away Together
-Runed Halo
-Rune of Protection: Artifacts
-Rune of Protection: Black
-Rune of Protection: Blue
-Rune of Protection: Green
-Rune of Protection: Lands
-Rune of Protection: Red
-Rune of Protection: White
-Rupture
-Ruric Thar, the Unbowed
-Rushwood Herbalist
-Rust
-Ruthless Disposal
-Ruthless Invasion
-Sacellum Godspeaker
-Sacred Mesa
-Sacred Rites
-Sacrifice
-Safe Haven
-Saffi Eriksdotter
-Sage of Ancient Lore
-Sage of Hours
-Saheeli's Lattice
-Saltcrusted Steppe
-Samite Censer-Bearer
-Samite Elder
-Sanctum Guardian
-Sanctum of Eternity
-Sanctum Prelate
-Sand Silos
-Sandsower
-Sand Squid
-Sandstone Deadfall
-Sandstone Needle
-Sandstorm Eidolon
-Sanguimancy
-Sanguine Praetor
-Sapphire Charm
-Saprazzan Outrigger
-Saprazzan Skerry
-Saproling Burst
-Saproling Cluster
-Sarulf, Realm Eater
-Satyr Piper
-Savage Beating
-Savage Firecat
-Savage Summoning
-Sawtooth Loon
-Scab-Clan Giant
-Scapegoat
-Scapeshift
-Scarab of the Unseen
-Scarecrow
-Scarwood Bandits
-Scent of Brine
-Scent of Cinder
-Scent of Ivy
-Scent of Jasmine
-Scent of Nightshade
-Scheming Symmetry
-School of the Unseen
-Scourge of Skola Vale
-Scouting Trek
-Scout's Warning
-Scrambleverse
-Scrap Mastery
-Scroll Rack
-Scrounging Bandar
-Scryb Ranger
-Scrying Glass
-Scrying Sheets
-Scuttling Death
-Sea Kings' Blessing
-Sealed Fate
-Séance
-Search for Survivors
-Search Warrant
-Searing Rays
-Searing Spear Askari
-Sea Scryer
-Sea Snidd
-Second Wind
-See Beyond
-Seedling Charm
-Seeds of Innocence
-Seedtime
-Segmented Wurm
-Seismic Stomp
-Selective Obliteration
-Selesnya Eulogist
-Selesnya Signet
-Selfless Cathar
-Selfless Exorcist
-Selvala, Explorer Returned
-Sengir Nosferatu
-Sentinel
-Serendib Djinn
-Serene Master
-Serene Sunset
-Serra's Hymn
-Serum Powder
-Setessan Tactics
-Sewerdreg
-Sewers of Estark
-Shade's Breath
-Shadowblood Egg
-Shadowblood Ridge
-Shadow of Doubt
-Shahrazad
-Shaman en-Kor
-Shaman's Trance
-Shambling Swarm
-Shaper Parasite
-Shapesharer
-Shapeshifter
-Shared Fate
-Shared Trauma
-Shattered Crypt
-Shattered Perception
-Shauku, Endbringer
-Shell of the Last Kappa
-Sheltering Ancient
-Shield Dancer
-Shielded by Faith
-Shielded Passage
-Shieldmage Advocate
-Shieldmage Elder
-Shields of Velis Vel
-Shield Wall
-Shifting Borders
-Shifting Loyalties
-Shifty Doppelganger
-Shimatsu the Bloodcloaked
-Shimmer
-Shimmering Grotto
-Shimmering Mirage
-Shinen of Life's Roar
-Shining Shoal
-Shisato, Whispering Hunter
-Shoving Match
-Showstopper
-Shred Memory
-Shrewd Negotiation
-Shrine of Boundless Growth
-Shrine of Limitless Power
-Shrine of Piercing Vision
-Shriveling Rot
-Shrouded Lore
-Shunt
-Sickening Dreams
-Sickening Shoal
-Sideswipe
-Signal the Clans
-Signpost Scarecrow
-Silent Assassin
-Silumgar Sorcerer
-Silverglade Pathfinder
-Silver Wyvern
-Simic Basilisk
-Simic Guildmage
-Simic Manipulator
-Simic Signet
-Simulacrum
-Singing Tree
-Single Combat
-Sink into Takenuma
-Sins of the Past
-Siren's Call
-Siren Song Lyre
-Siren's Ruse
-Sisay
-Sisay's Ingenuity
-Sivvi's Ruse
-Sivvi's Valor
-Skeletal Scrying
-Skinshifter
-Skirge Familiar
-Skirk Alarmist
-Skirk Volcanist
-Skirsdag Flayer
-Skittering Horror
-Skittering Monstrosity
-Skittering Skirge
-Skulltap
-Skycloud Egg
-Skycloud Expanse
-Skyscribing
-Skyship Plunderer
-Skyshroud Blessing
-Skyshroud Elf
-Slate of Ancestry
-Slaughter Games
-Slaughter Pact
-Slaughter-Priest of Mogis
-Slaughter the Strong
-Sleight of Mind
-Slimy Kavu
-Slingbow Trap
-Slinking Skirge
-Slobad, Goblin Tinkerer
-Slumbering Tora
-Smite
-Snakeform
-Snowfall
-Sokenzan Renegade
-Sokrates, Athenian Teacher
-Solar Blaze
-Soldevi Adnate
-Soldevi Digger
-Soldevi Excavations
-Soldevi Golem
-Soldevi Sage
-Soldier Replica
-Solidarity
-Solitary Confinement
-Soltari Guerrillas
-Song of Blood
-Soothsaying
-Sophic Centaur
-Soramaro, First to Dream
-Soratami Cloud Chariot
-Soratami Cloudskater
-Soratami Seer
-Sorcerer's Broom
-Sorcerous Spyglass
-Sorrow's Path
-Soulblast
-Soulbright Flamekin
-Soul Channeling
-Soul Conduit
-Soulgorger Orgg
-Soul Kiss
-Soul Sculptor
-Soul Seizer
-Soul's Grace
-Soul's Might
-Soul Strings
-Space Beleren
-Spare from Evil
-Spark of Creativity
-Spawnbinder Mage
-Spawnbroker
-Spawning Pit
-Specter's Shriek
-Spectral Adversary
-Spectral Searchlight
-Spectral Shift
-Spellbinder
-Spell Contortion
-Spellshift
-Spellshock
-Spelltwine
-Spellweaver Helix
-Spellweaver Volute
-Sphinx's Decree
-Spike Rogue
-Spincrusher
-Spinning Darkness
-Spirit en-Kor
-Spiritual Asylum
-Spiritualize
-Spiteflame Witch
-Spitting Slug
-Spitting Spider
-Splintering Wind
-Split Decision
-Spoils of Evil
-Spoils of the Vault
-Spoils of War
-Springjack Pasture
-Springleaf Drum
-Spurred Wolverine
-Spy Network
-Squallmonger
-Squandered Resources
-Square Up
-Squealing Devil
-Squee
-Squee's Revenge
-Stain the Mind
-Stalking Yeti
-Standardize
-Standstill
-Starke of Rath
-Stasis Cell
-Static Orb
-Steadfastness
-Steal Enchantment
-Steel Golem
-Steeling Stance
-Stifle
-Stinging Licid
-Stir the Pride
-Stitcher's Apprentice
-Stonewise Fortifier
-Stonybrook Angler
-Storage Matrix
-Storm King's Thunder
-Stormwatch Eagle
-Strands of Night
-Strange Inversion
-Strategic Planning
-Stream of Consciousness
-Street Sweeper
-Strionic Resonator
-Strip Bare
-Stromgald Spy
-Strongarm Tactics
-Stronghold Assassin
-Stronghold Gambit
-Stunning Reversal
-Subdue
-Sudden Demise
-Sudden Disappearance
-Sudden Spoiling
-Sudden Substitution
-Suffer the Past
-Suicidal Charge
-Sulfur Vent
-Sultai Ascendancy
-Summary Dismissal
-Summoner's Egg
-Summoner's Pact
-Sunbird Effigy
-Sunbird Standard
-Sundial of the Infinite
-Sunglasses of Urza
-Sungrass Egg
-Sungrass Prairie
-Sunken Ruins
-Sunscape Apprentice
-Sunscorched Divide
-Suppress
-Surge of Strength
-Surprise Deployment
-Surreal Memoir
-Surveyor's Scope
-Survivor of the Unseen
-Svogthos, the Restless Tomb
-Svyelunite Temple
-Swan Song
-Swashbuckler Extraordinaire
-Sway of Illusion
-Sway of the Stars
-Swerve
-Swift Silence
-Sword of the Ages
-Sword of the Paruns
-Sworn Defender
-Sylvan Awakening
-Sylvan Library
-Sylvan Offering
-Sylvan Paradise
-Sylvan Safekeeper
-Sylvan Yeti
-Synod Artificer
-Synod Sanctum
-Synthesis Pod
-Synthetic Destiny
-Syr Elenora, the Discerning
-Tahngarth, First Mate
-Tahngarth's Rage
-Taigam, Sidisi's Hand
-Taigam's Scheming
-Tainted Adversary
-Tainted Aether
-Takara
-Take
-Takklemaggot
-Talon of Pain
-Tamiyo, Collector of Tales
-Tariff
-Taunt
-Taunting Challenge
-Tawnos's Coffin
-Teardrop Kami
-Tears of Rage
-Tectonic Break
-Teferi's Care
-Teferi's Veil
-Telekinetic Bonds
-Telepathy
-Telim'Tor's Edict
-Tel-Jilad Stylus
-Temporal Aperture
-Temporal Cascade
-Temporary Truce
-Tempting Licid
-Tendrils of Despair
-Tergrid's Shadow
-Terraformer
-Terrarion
-Terrifying Presence
-Testament of Faith
-Thalakos Mistfolk
-Thassa's Ire
-Thaumatog
-The Chain Veil
-The Enigma Jewel
-The Grand Tour
-Thelonite Monk
-The Prismatic Piper
-Thermal Flux
-Thermopod
-The Royal Scions
-Thespian's Stage
-Thieves' Auction
-Thing from the Deep
-Think Tank
-Thought Courier
-Thought Dissector
-Thought Gorger
-Thought Hemorrhage
-Thoughtlace
-Thought Lash
-Thoughtpicker Witch
-Thought Prison
-Thoughts of Ruin
-Thran Forge
-Thran Portal
-Thran Weaponry
-Three Wishes
-Throes of Chaos
-Through the Breach
-Throwing Knife
-Thrull Wizard
-Thunderheads
-Thundering Djinn
-Thwart
-Thwart the Enemy
-Tidal Bore
-Tidal Control
-Tidal Flats
-Tidal Visionary
-Tidal Warrior
-Tidal Wave
-Tideforce Elemental
-Tideshaper Mystic
-Tidewater Minion
-Time and Tide
-Timebender
-Timecrafting
-Time Elemental
-Timely Interference
-Timely Ward
-Time Stop
-Timid Drake
-Tinder Farm
-Tinder Wall
-Tin Street Market
-Tin-Wing Chimera
-Titans' Nest
-Titan's Presence
-Toils of Night and Day
-Tolarian Winds
-Tolaria West
-Tomb of Urami
-Tomb Robber
-Tomorrow, Azami's Familiar
-Tooth of Ramos
-Torchling
-Tornado
-Torpid Moloch
-Tortoise Formation
-Torture Chamber
-Tortured Existence
-Total War
-Touch of Darkness
-Touch of Vitae
-Tower Defense
-Toxic Deluge
-Trace of Abundance
-Trade Routes
-Trading Post
-Tragic Arrogance
-Trait Doctoring
-Tranquil Frillback
-Transluminant
-Transmogrifying Licid
-Transmutation
-Trash for Treasure
-Treacherous Link
-Treacherous Terrain
-Treacherous Vampire
-Treetop Defense
-Trench Gorger
-Trenching Steed
-Treva's Attendant
-Treva's Charm
-Triad of Fates
-Trial
-Triangle of War
-Triassic Egg
-Tribal Unity
-Trickbind
-Trickery Charm
-Trickster Mage
-Triton Tactics
-Tropical Storm
-Troubled Healer
-Truce
-Trusted Advisor
-Tsabo's Decree
-Tundra Kavu
-Tunnel Vision
-Turbulent Dreams
-Turnabout
-Turn to Frog
-Turtleshell Changeling
-Twiddle
-Twilight Mire
-Twinning Glass
-Twist Allegiance
-Twisted Image
-Twitch
-Ulvenwald Tracker
-Unbender Tine
-Uncage the Menagerie
-Undergrowth
-Undying Evil
-Undying Flames
-Unearthly Blizzard
-Unerring Sling
-Unfulfilled Desires
-Unlikely Alliance
-Unmask
-Unnatural Selection
-Unnerving Assault
-Unspeakable Symbol
-Unstable Footing
-Unstable Frontier
-Urborg
-Urborg Panther
-Urza's Avenger
-Urza's Bauble
-Utopia Sprawl
-Valleymaker
-Valor Made Real
-Vampire Lacerator
-Vampire Warlord
-Vampiric Tutor
-Vampirism
-Vanishing
-Vanish into Memory
-Varchild's Crusader
-Vassal's Duty
-Vault 21: House Gambit
-Vedalken Plotter
-Veil of Secrecy
-Venarian Glimmer
-Vengeful Archon
-Vengeful Dreams
-Venomous Breath
-Venser, the Sojourner
-Ventifact Bottle
-Verdant Eidolon
-Verdant Haven
-Verdant Rebirth
-Veteran's Voice
-Vexing Arcanix
-Vexing Shusher
-Viashino Sandswimmer
-Viashino Skeleton
-Vicious Betrayal
-Vigean Intuition
-Vigilant Martyr
-Vine Snare
-Viridescent Bog
-Viridian Acolyte
-Viscera Seer
-Vish Kal, Blood Arbiter
-Vision Charm
-Visions
-Visions of Duplicity
-Vitalize
-Vivisection
-Vizier of Tumbling Sands
-Vodalian Illusionist
-Vodalian Mystic
-Void
-Voidmage Apprentice
-Voidmage Prodigy
-Voidslime
-Volcano Hellion
-Volrath's Gardens
-Volrath's Stronghold
-Vona's Hunger
-Voodoo Doll
-Vortex Elemental
-Voyager Staff
-Waiting in the Weeds
-Wake of Destruction
-Waker of Waves
-Wake the Dead
-Wake to Slaughter
-Walking Desecration
-Walking Sponge
-Walk the Aeons
-Wall of Limbs
-Wall of Shadows
-Wall of Vapor
-Wall of Vipers
-Wandering Eye
-Wand of Denial
-War Barge
-Warbreak Trumpeter
-Ward of Lights
-Ward of Piety
-Warren Weirding
-Warrior en-Kor
-Warriors' Lesson
-Warrior's Oath
-Warrior's Stand
-War Tax
-Waterfront Bouncer
-Waterspout Elemental
-Wave Elemental
-Wave of Indifference
-Wave of Reckoning
-Wave of Terror
-Weapon Rack
-Weaver of Lies
-Weight of Spires
-Weird Harvest
-Welcome to the Fold
-Werewolf of Ancient Hunger
-Wheel of Potential
-Whetwheel
-Whim of Volrath
-Whims of the Fates
-Whipgrass Entangler
-Whipkeeper
-Whip Vine
-Whirlpool Warrior
-Whirlpool Whelm
-Whispering Madness
-Whiteout
-Wicked Reward
-Wild Dogs
-Wild Growth
-Wild Guess
-Wild Magic Surge
-Wild Ricochet
-Willbender
-Windfall
-Winding Canyons
-Winding Way
-Windshaper Planetar
-Winds of Change
-Wings of Hubris
-Wings of Velis Vel
-Winnow
-Winter's Chill
-Winter Sky
-Winter's Night
-Wirewood Channeler
-Wirewood Symbiote
-Wisedrafter's Will
-Wishmonger
-Wistful Thinking
-Witch Engine
-Wizard Mentor
-Wizard Replica
-Wizard's Rockets
-Wizards' School
-Wojek Apothecary
-Wojek Embermage
-Wojek Siren
-Wooded Bastion
-Wood Sage
-Word of Command
-Words of War
-Words of Waste
-Words of Wilding
-Words of Wind
-Words of Worship
-Worldgorger Dragon
-Worldpurge
-World Queller
-Wormfang Behemoth
-Wormfang Crab
-Worms of the Earth
-Worst Fears
-Worthy Cause
-Wrack with Madness
-Wrath of the Skies
-Wretched Bonemass
-Xantcha
-Xathrid Slyblade
-Xenagos, the Reveler
-Xenic Poltergeist
-Xenograft
-Yare
-Yurlok of Scorch Thrash
-Zealous Inquisitor
-Zedruu the Greathearted
-Zephyr Scribe
-Zhalfirin Crusader
-Zombie Boa
-Zombie Infestation
-Zombie Trailblazer
-Zur's Weirding
diff --git a/src/main/resources/ai-playable-cards.txt b/src/main/resources/ai-playable-cards.txt
@@ -0,0 +1,27155 @@
++2 Mace
+A-Acererak the Archlich
+A-Akki Ronin
+A-Alrund's Epiphany
+A-Ancestral Katana
+Aarakocra Sneak
+A-Ardent Dustspeaker
+A-Armory Veteran
+A-Asari Captain
+A-Baba Lysaga, Night Witch
+Abaddon the Despoiler
+A-Baleful Beholder
+Abandoned Outpost
+Abandoned Sarcophagus
+Abandon Reason
+Abandon the Post
+A-Base Camp
+A-Bathe in Gold
+Abattoir Ghoul
+Abbey Gargoyles
+Abbey Griffin
+Abbey Matron
+Abbot of Keral Keep
+Abdel Adrian, Gorion's Ward
+Abduction
+Aberrant
+Aberrant Mind Sorcerer
+Aberrant Researcher
+Abeyance
+Abhorrent Overlord
+Abiding Grace
+A-Binding Geist
+Abjure
+A-Blessed Hippogriff
+A-Blood Artist
+Abnormal Endurance
+Aboleth Spawn
+Abolish
+Abolisher of Bloodlines
+Abominable Treefolk
+Abomination
+Abomination of Gudul
+Abomination of Llanowar
+Aboroth
+Aboshan, Cephalid Emperor
+Aboshan's Desire
+Abrade
+Abraded Bluffs
+A-Bretagard Stronghold
+A-Briar Hydra
+A-Brinebound Gift
+A-Brine Comber
+A-Bruenor Battlehammer
+Abrupt Decay
+Absolute Grace
+Absolute Law
+Absolver Thrull
+Absolving Lammasu
+Absorb
+Absorb Energy
+Absorb Identity
+Absorb Vis
+Abstergo Entertainment
+Abstruse Appropriation
+Abstruse Archaic
+Abstruse Interference
+Abuelo, Ancestral Echo
+Abuelo's Awakening
+Abu Ja'far
+Abuna Acolyte
+Abuna's Chant
+Abundant Growth
+Abundant Maw
+A-Buy Your Silence
+Abyssal Gatekeeper
+Abyssal Gorestalker
+Abyssal Horror
+Abyssal Hunter
+Abyssal Nightstalker
+Abyssal Nocturnus
+Abyssal Specter
+Abzan Advantage
+Abzan Ascendancy
+Abzan Banner
+Abzan Battle Priest
+Abzan Beastmaster
+Abzan Charm
+Abzan Falconer
+Abzan Guide
+Abzan Kin-Guard
+Abzan Runemark
+Abzan Skycaptain
+A-Cabaretti Charm
+Academic Dispute
+Academic Probation
+Academy at Tolaria West
+Academy Drake
+Academy Elite
+Academy Journeymage
+Academy Loremaster
+Academy Manufactor
+Academy Raider
+Academy Rector
+Academy Researchers
+Academy Ruins
+Academy Wall
+A-Canopy Tactician
+A-Capenna Express
+A-Carnelian Orb of Dragonkind
+A-Case the Joint
+A-Catlike Curiosity
+A-Cauldron Familiar
+Accelerate
+Accelerated Mutation
+Acceptable Losses
+Access Denied
+Access Tunnel
+Accident-Prone Apprentice
+Acclaimed Contender
+Accomplished Alchemist
+Accomplished Automaton
+Accorder Paladin
+Accorder's Shield
+Accumulated Knowledge
+Accursed Centaur
+Accursed Horde
+Accursed Marauder
+Accursed Spirit
+Accursed Witch
+Ace, Fearless Rebel
+A-Celebrity Fencer
+A-Celestial Regulator
+Acererak the Archlich
+Ace's Baseball Bat
+"Ach! Hans, Run!"
+Achilles Davenport
+Acidic Slime
+Acidic Sliver
+Acid Rain
+Acid-Spewer Dragon
+Acid Web Spider
+A-Circle of the Land Druid
+A-Circuit Mender
+A-Civil Servant
+Aclazotz, Deepest Betrayal
+A-Cloister Gargoyle
+A-Cobbled Lancer
+Acolyte Hybrid
+Acolyte of Aclazotz
+Acolyte of Affliction
+Acolyte of Bahamut
+Acolyte of the Inferno
+Acolyte of Xathrid
+Acorn Harvest
+A-Cosmos Charger
+A-Cosmos Elixir
+Acquire
+Acquired Mutation
+Acquisition Octopus
+Acquisitions Expert
+Acridian
+Acrobatic Leap
+Acrobatic Maneuver
+Activated Sleeper
+Active Volcano
+Act of Aggression
+Act of Heroism
+Act of Treason
+Adamant Will
+Adamaro, First to Desire
+Adanto, the First Fort
+Adaptive Automaton
+Adaptive Gemguard
+Adaptive Shimmerer
+Adaptive Snapjaw
+Adaptive Sporesinger
+Adarkar Sentinel
+Adarkar Valkyrie
+Adarkar Wastes
+A-Dawnbringer Cleric
+Adder-Staff Boggart
+Addle
+A-Deal Gone Bad
+A-Death-Priest of Myrkul
+Adeline, Resplendent Cathar
+Adeliz, the Cinder Wind
+A-Demilich
+A-Demon's Due
+A-Departed Soulkeeper
+A-Devoted Grafkeeper
+Adéwalé, Breaker of Chains
+Adherent of Hope
+Adipose Offspring
+A Display of My Dark Power
+A-Dissonant Wave
+A-Divide by Zero
+Admiral Beckett Brass
+Admiral Brass, Unsinkable
+Admiral's Order
+Admonition Angel
+A-Dokuchi Silencer
+Adorable Kitten
+Adorned Pouncer
+A-Dorothea's Retribution
+A-Dorothea, Vengeful Victim
+A-Dragonborn Looter
+A-Dragon's Rage Channeler
+A-Dreamshackle Geist
+Adrestia
+Adriana, Captain of the Guard
+Adriana's Valor
+Adric, Mathematical Genius
+Adrix and Nev, Twincasters
+A-Druid Class
+A-Druidic Ritual
+A-Dueling Coach
+Adult Gold Dragon
+A-Dungeon Descent
+Adun Oakenshield
+Advanced Hoverguard
+Advanced Stitchwing
+Advance Scout
+Advantageous Proclamation
+Advent of the Wurm
+Adventure Awaits
+Adventurers' Guildhouse
+Adventuring Gear
+Adventurous Impulse
+Adverse Conditions
+Advice from the Fae
+Advocate of the Beast
+A-Dwarfhold Champion
+A-Earthquake Dragon
+Aegar, the Freezing Flame
+Aegis Angel
+Aegis Automaton
+Aegis of Honor
+Aegis of the Gods
+Aegis of the Heavens
+Aegis of the Legion
+Aegis of the Meek
+Aegis Turtle
+A-Eiganjo Exemplar
+A-Elderfang Ritualist
+A-Elderleaf Mentor
+A-Ellywick Tumblestrum
+A-Elven Bow
+A-Emerald Dragon
+Aeolipile
+Aerathi Berserker
+Aerial Assault
+Aerial Boost
+Aerial Caravan
+Aerial Engineer
+Aerial Extortionist
+Aerial Formation
+Aerial Guide
+Aerial Maneuver
+Aerial Modification
+Aerial Predation
+Aerial Responder
+Aerial Surveyor
+Aerial Volley
+Aerie Auxiliary
+Aerie Bowmasters
+Aerie Mystics
+Aerie Ouphes
+Aerie Worshippers
+Aeromoeba
+Aeromunculus
+Aeronaut Admiral
+Aeronaut Cavalry
+Aeronaut's Wings
+Aeronaut Tinkerer
+A-Esika's Chariot
+Aesi, Tyrant of Gyre Strait
+Aesthir Glider
+A-Etching of Kumano
+Aether Adept
+Aether Barrier
+Aetherblade Agent
+Aetherborn Marauder
+Aether Burst
+Aether Channeler
+Aether Charge
+Aether Chaser
+Aether Figment
+Aetherflame Wall
+Aether Flash
+Aetherflux Reservoir
+Aether Gale
+Aethergeode Miner
+Aether Gust
+Aether Helix
+Aether Herder
+Aether Hub
+Aether Inspector
+Aetherize
+Aetherling
+Aether Meltdown
+Aether Membrane
+Aether Mutation
+Aether Poisoner
+Aether Refinery
+Aether Revolt
+Aether Rift
+Aether Searcher
+Aethershield Artificer
+Aethersnipe
+Aether Spellbomb
+Aethersphere Harvester
+Aether Spike
+Aetherspouts
+Aethersquall Ancient
+Aether Sting
+Aetherstorm Roc
+Aetherstream Leopard
+Aether Swooper
+Aether Theorist
+Aethertide Whale
+Aethertorch Renegade
+Aethertow
+Aether Tunnel
+Aether Vial
+Aether Web
+Aetherwind Basker
+Aetherwing, Golden-Scale Flagship
+Aetherworks Marvel
+Aeve, Progenitor Ooze
+A-Excavation Explosion
+A-Exhibition Magician
+A-Eyes of the Beholder
+A-Faceless Haven
+A-Falcon Abomination
+A-Fall of the Impostor
+A-Fates' Reversal
+Affa Guard Hound
+Affa Protector
+Affectionate Indrik
+Afflict
+Afflicted Deserter
+A-Find the Path
+A-Fires of Invention
+Afiya Grove
+A-Forge Boss
+Afterlife
+Aftermath Analyst
+Aftershock
+A-Futurist Operative
+Agadeem Occultist
+Agadeem's Awakening
+Agadeem, the Undercrypt
+Against All Odds
+A-Galvanic Discharge
+Agate Assault
+Agate-Blade Assassin
+Agate Instigator
+Agatha of the Vile Cauldron
+Agatha's Champion
+Agatha's Soul Cauldron
+Age-Graced Chapel
+Ageless Entity
+Ageless Guardian
+Ageless Sentinels
+Agency Coroner
+Agency Outfitter
+Agent Frank Horrigan
+Agent of Acquisitions
+Agent of Erebos
+Agent of Horizons
+Agent of Masks
+Agent of Raffine
+Agent of the Fates
+Agent of the Iron Throne
+Agent of the Shadow Thieves
+Agent of Treachery
+Agent's Toolkit
+A-Geological Appraiser
+A-Geology Enthusiast
+Aggravate
+Aggravated Assault
+Aggressive Biomancy
+Aggressive Crag
+Aggressive Instinct
+Aggressive Mammoth
+Aggressive Sabotage
+Aggressive Urge
+Agility
+Agility Bobblehead
+Agitator Ant
+A-Glamorous Outlaw
+A-Glittermonger
+A-Gnarlid Colony
+A-Goggles of Night
+A Golden Opportunity
+A-Goldspan Dragon
+A-Goma Fada Vanguard
+Agonizing Demise
+Agonizing Memories
+Agonizing Remorse
+Agonizing Syphon
+Agony Warp
+Agoraphobia
+A-Graveyard Shift
+Agrus Kos, Eternal Soldier
+Agrus Kos, Spirit of Justice
+Agrus Kos, Wojek Veteran
+A-Guide of Souls
+A-Guildsworn Prowler
+A-Gutter Shortcut
+A-Gutter Skulker
+Agyrem
+A-Hagra Constrictor
+A-Hall of Tagsin
+A-Harald, King of Skemfar
+A-Harald Unites the Elves
+A-Haywire Mite
+A-High-Rise Sawjack
+Ahn-Crop Champion
+Ahn-Crop Crasher
+Ahn-Crop Invader
+A-Hobbling Zombie
+A-Hullbreaker Horror
+Aid from the Cowl
+Aid the Fallen
+Aim for the Head
+Aim High
+A-Imperial Subduer
+A-Incriminate
+Ainok Artillerist
+Ainok Bond-Kin
+Ainok Guide
+Ainok Survivalist
+Ainok Tracker
+Air Bladder
+Airborne Aid
+Air-Cult Elemental
+Airdrop Aeronauts
+Air Elemental
+A-Iridescent Hornbeetle
+Airlift Chaplain
+Air Marshal
+Air Servant
+Airtight Alibi
+Aisling Leprechaun
+A-Jackhammer
+A-Jade Orb of Dragonkind
+Ajani, Adversary of Tyrants
+Ajani, Caller of the Pride
+Ajani Fells the Godsire
+Ajani Goldmane
+Ajani, Inspiring Leader
+Ajani, Mentor of Heroes
+Ajani, Nacatl Avenger
+Ajani, Nacatl Pariah
+Ajani's Aid
+Ajani's Chosen
+Ajani's Comrade
+Ajani's Influence
+Ajani's Last Stand
+Ajani, Sleeper Agent
+Ajani's Mantra
+Ajani's Presence
+Ajani's Pridemate
+Ajani's Sunstriker
+Ajani Steadfast
+Ajani, Strength of the Pride
+Ajani's Welcome
+Ajani, the Greathearted
+Ajani Unyielding
+Ajani, Valiant Protector
+Ajani Vengeant
+Ajani, Wise Counselor
+Akal Pakal, First Among Equals
+A-Kargan Intimidator
+A-Kargan Warleader
+A-Karn, Living Legacy
+Akawalli, the Seething Tower
+A-Kenku Artificer
+A Killer Among Us
+Akim, the Soaring Wind
+Akiri, Fearless Voyager
+Akiri, Line-Slinger
+Akki Battle Squad
+Akki Blizzard-Herder
+Akki Coalflinger
+Akki Drillmaster
+Akki Ember-Keeper
+Akki Lavarunner
+Akki Raider
+Akki Rockspeaker
+Akki Ronin
+Akki Scrapchomper
+Akki Underling
+Akki Underminer
+Akki War Paint
+A-Knockout Blow
+Akoum
+Akoum Battlesinger
+Akoum Boulderfoot
+Akoum Firebird
+Akoum Hellhound
+Akoum Hellkite
+Akoum Refuge
+Akoum Stonewaker
+Akoum Teeth
+Akoum Warrior
+Akrasan Squire
+Akroan Conscriptor
+Akroan Crusader
+Akroan Hoplite
+Akroan Horse
+Akroan Jailer
+Akroan Line Breaker
+Akroan Mastiff
+Akroan Phalanx
+Akroan Sergeant
+Akroan Skyguard
+Akroma, Angel of Fury
+Akroma, Angel of Wrath
+Akroma, Angel of Wrath Avatar
+Akroma's Devoted
+Akroma's Memorial
+Akroma's Vengeance
+Akroma's Will
+Akroma, Vision of Ixidor
+Akron Legionnaire
+A-Krydle of Baldur's Gate
+Aku Djinn
+A-Kumano Faces Kakkazan
+Akuta, Born of Ash
+Alabaster Dragon
+Alabaster Host Intercessor
+Alabaster Host Sanctifier
+Alabaster Kirin
+Alabaster Leech
+Alabaster Mage
+Alabaster Potion
+Alabaster Wall
+Alaborn Cavalier
+Alaborn Grenadier
+Alaborn Musketeer
+Alaborn Trooper
+Alaborn Veteran
+Alaborn Zealot
+Aladdin
+Aladdin's Ring
+Alandra, Sky Dreamer
+Alania, Divergent Storm
+Alania's Pathmaker
+A-Lantern Bearer
+A-Lantern of Revealing
+A-Lanterns' Lift
+A-Lapis Orb of Dragonkind
+Alarum
+Alaundo the Seer
+Albino Troll
+Albiorix, Goose Tyrant
+Alchemist's Gift
+Alchemist's Greeting
+Alchemist's Retrieval
+Alchemist's Talent
+Alchemist's Vial
+Alela, Artful Provocateur
+Alela, Cunning Conqueror
+Alena, Kessig Trapper
+Alert Heedbonder
+Alert Shu Infantry
+Alesha's Vanguard
+Alesha, Who Smiles at Death
+Alexios, Deimos of Kosmos
+Alexi's Cloak
+Algae Gharial
+Alhammarret, High Arbiter
+Alhammarret's Archive
+Alharu, Solemn Ritualist
+Ali Baba
+Aliban's Tower
+Alibou, Ancient Witness
+A-Lier, Disciple of the Drowned
+Ali from Cairo
+Aligned Hedron Network
+Alirios, Enraptured
+Alistair, the Brigadier
+A Little Chat
+Alive
+A-Llanowar Greenwidow
+A-Llanowar Loamspeaker
+Allay
+Alley Assailant
+Alley Evasion
+Alley Grifters
+Alley Strangler
+All Hallow's Eve
+Allied Assault
+Allied Reinforcements
+Allied Strategies
+All in Good Time
+All Is Dust
+All of History, All at Once
+Allosaurus Rider
+Allosaurus Shepherd
+Alloy Animist
+Alloy Golem
+Alloy Myr
+All-Seeing Arbiter
+All Shall Smolder in My Wake
+All Suns' Dawn
+All That Glitters
+Allure of the Unknown
+Alluring Suitor
+All Will Be One
+Ally Encampment
+Almighty Brushwagg
+Almost Perfect
+Alms
+Alms Beast
+Alms Collector
+Alms of the Vein
+Aloe Alchemist
+Alora, Cheerful Assassin
+Alora, Cheerful Mastermind
+Alora, Cheerful Scout
+Alora, Cheerful Swashbuckler
+Alora, Cheerful Thief
+Alora, Merry Thief
+Alora, Rogue Companion
+Alpha Authority
+Alpha Deathclaw
+Alpha Myr
+Alpha Status
+Alpha Tyrranax
+Alpine Grizzly
+Alpine Guide
+Alpine Houndmaster
+Alpine Meadow
+Alpine Moon
+Alpine Watchdog
+Alquist Proft, Master Sleuth
+Alrund's Epiphany
+Alseid of Life's Bounty
+Altac Bloodseeker
+Altaïr Ibn-La'Ahad
+Altar Golem
+Altar of Bhaal
+Altar of Bone
+Altar of Shadows
+Altar of the Brood
+Altar of the Goyf
+Altar of the Lost
+Altar of the Pantheon
+Altar's Light
+Altar's Reap
+Altered Ego
+Alter Fate
+A-Luminarch Aspirant
+Aluren
+Always Watching
+A-Maelstrom Muse
+Amalia Benavides Aguirre
+A-Manticore
+Amaranthine Wall
+Amareth, the Lustrous
+A-Masked Bandits
+Amass the Components
+A-Master of Winds
+Amateur Auteur
+Ambassador Laquatus
+Ambassador Oak
+Ambergris, Agent of Balance
+Ambergris, Agent of Destruction
+Ambergris, Agent of Law
+Ambergris, Agent of Progress
+Ambergris, Agent of Tyranny
+Ambergris, Citadel Agent
+Amber Gristle O'Maul
+Ambition's Cost
+Ambitious Aetherborn
+Ambitious Assault
+Ambitious Dragonborn
+Ambitious Farmhand
+Ambulatory Edifice
+Ambuscade
+Ambuscade Shaman
+Ambush
+Ambush Commander
+Ambush Gigapede
+Ambush Krotiq
+Ambush Paratrooper
+Ambush Party
+Ambush Viper
+A-Mentor's Guidance
+A-Meria's Outrider
+Amethyst Dragon
+A-Metropolis Angel
+A-Midnight Assassin
+A-Mightstone's Animation
+Aminatou's Augury
+Aminatou, the Fateshifter
+A-Minsc & Boo, Timeless Heroes
+A-Mischievous Catgeist
+A-Mishra, Excavation Prodigy
+Ammit Eternal
+Amnesia
+A-Monster Manual
+A-Moon-Circuit Hacker
+Amorphous Axe
+A-Moss-Pit Skeleton
+A-Most Wanted
+Amped Raptor
+Amphibian Accident
+Amphibian Downpour
+Amphibious Kavu
+Amphin Cutthroat
+Amphin Mutineer
+Amphin Pathmage
+Amplifire
+Ampryn Tactician
+A-Mr. Orfeo, the Boulder
+Amrou Kithkin
+Amrou Scout
+Amrou Seekers
+Amugaba
+Amulet of Kroog
+Amulet of Safekeeping
+Amulet of Unmaking
+Amulet of Vigor
+Amy Pond
+Amy's Home
+Amzu, Swarm's Hunger
+Anaba Bodyguard
+Anaba Shaman
+Anaba Spirit Crafter
+Ana Battlemage
+Anaconda
+Ana Disciple
+A-Nael, Avizoa Aeronaut
+Anafenza, Kin-Tree Spirit
+Anafenza, the Foremost
+A-Nahiri, Heir of the Ancients
+Analyze the Pollen
+Anara, Wolvid Familiar
+Anarchist
+Anarchy
+A-Narfi, Betrayer King
+Ana Sanctuary
+A-Nashi, Moon Sage's Scion
+Anathemancer
+A-Navigation Orb
+Anavolver
+Anax and Cymede
+Anax, Hardened in the Forge
+Ancestor Dragon
+Ancestors' Aid
+Ancestor's Chosen
+Ancestor's Embrace
+Ancestor's Prophet
+Ancestral Anger
+Ancestral Blade
+Ancestral Katana
+Ancestral Mask
+Ancestral Memories
+Ancestral Recall
+Ancestral Reminiscence
+Ancestral Statue
+Ancestral Tribute
+Ancestral Vengeance
+Ancestral Vision
+Anchor to Reality
+Anchor to the Aether
+Ancient Amphitheater
+Ancient Animus
+Ancient Brass Dragon
+Ancient Brontodon
+Ancient Bronze Dragon
+Ancient Carp
+Ancient Copper Dragon
+Ancient Cornucopia
+Ancient Crab
+Ancient Craving
+Ancient Den
+Ancient Excavation
+Ancient Gold Dragon
+Ancient Greenwarden
+Ancient Grudge
+Ancient Hellkite
+Ancient Hydra
+Ancient Imperiosaur
+Ancient Kavu
+Ancient Lumberknot
+Ancient of the Equinox
+Ancient Ooze
+Ancient Runes
+Ancient Silverback
+Ancient Silver Dragon
+Ancient Spider
+Ancient Stirrings
+Ancient Stone Idol
+Ancient Tomb
+Ancient Ziggurat
+Andradite Leech
+Andrios, Roaming Explorer
+And They Shall Know No Fear
+Andúril, Flame of the West
+Andúril, Narsil Reforged
+A-Nezumi Prowler
+Angelfire Crusader
+Angelfire Ignition
+Angelheart Protector
+Angelheart Vial
+Angelic Aberration
+Angelic Accord
+Angelic Arbiter
+Angelic Armaments
+Angelic Ascension
+Angelic Benediction
+Angelic Blessing
+Angelic Captain
+Angelic Chorus
+Angelic Cub
+Angelic Curator
+Angelic Destiny
+Angelic Edict
+Angelic Enforcer
+Angelic Exaltation
+Angelic Field Marshal
+Angelic Gift
+Angelic Guardian
+Angelic Intervention
+Angelic Observer
+Angelic Overseer
+Angelic Page
+Angelic Protector
+Angelic Purge
+Angelic Quartermaster
+Angelic Renewal
+Angelic Reward
+Angelic Rocket
+Angelic Sell-Sword
+Angelic Shield
+Angelic Skirmisher
+Angelic Sleuth
+Angelic Voices
+Angelic Wall
+Angel of Condemnation
+Angel of Deliverance
+Angel of Despair
+Angel of Destiny
+Angel of Eternal Dawn
+Angel of Finality
+Angel of Flight Alabaster
+Angel of Fury
+Angel of Glory's Rise
+Angel of Grace
+Angel of Indemnity
+Angel of Invention
+Angel of Jubilation
+Angel of Light
+Angel of Mercy
+Angel of Renewal
+Angel of Retribution
+Angel of Sanctions
+Angel of Serenity
+Angel of Suffering
+Angel of the Dawn
+Angel of the Dire Hour
+Angel of the God-Pharaoh
+Angel of the Ruins
+Angel of Unity
+Angel of Vitality
+Angel's Feather
+Angel's Grace
+Angel's Herald
+Angel's Mercy
+Angelsong
+Angel's Tomb
+Anger
+Anger of the Gods
+Angler Drake
+Angler Turtle
+Angrath, Captain of Chaos
+Angrath, Minotaur Pirate
+Angrath's Ambusher
+Angrath's Fury
+Angrath's Marauders
+Angrath's Rampage
+Angrath, the Flame-Chained
+Angry Mob
+Anguished Unmaking
+Angus Mackenzie
+An-Havva Constable
+An-Havva Inn
+Anhelo, the Painter
+Anikthea, Hand of Erebos
+Animal Boneyard
+Animal Friend
+Animal Magnetism
+Animal Sanctuary
+Animar, Soul of Elements
+Animate Artifact
+Animate Dead
+Animate Land
+Animate Wall
+Animating Faerie
+Animist's Awakening
+Animist's Might
+Anim Pakal, Thousandth Moon
+Animus of Night's Reach
+Animus of Predation
+Anje Falkenrath
+Anje, Maid of Dishonor
+Anje's Ravager
+Ankh of Mishra
+Ankle Biter
+Ankle Shanker
+Annex
+Annex Sentry
+Annie Flash, the Veteran
+Annie Joins Up
+Annihilate
+Annihilating Fire
+Annihilating Glare
+Annoyed Altisaur
+Annul
+Anodet Lurker
+An Offer You Can't Refuse
+Anoint
+Anointed Chorister
+Anointed Deacon
+Anointed Peacekeeper
+Anointed Procession
+Anointer of Champions
+Anointer of Valor
+Anointer Priest
+Anoint with Affliction
+Another Chance
+Another Round
+Anowon, the Ruin Sage
+Anowon, the Ruin Thief
+Anrakyr the Traveller
+Answered Prayers
+Antagonism
+Antagonize
+Antarctic Research Base
+Anthem of Champions
+Anthem of Rakdos
+Anthousa, Setessan Hero
+Anticipate
+Anticognition
+Anti-Magic Aura
+Antique Collector
+Antler Skulkin
+Ant Queen
+An Unearthly Child
+Anurid Barkripper
+Anurid Murkdiver
+Anurid Scavenger
+Anurid Swarmsnapper
+Anvil of Bogardan
+Anvilwrought Raptor
+Anya, Merciless Angel
+An-Zerrin Ruins
+Anzrag's Rampage
+Anzrag, the Quake-Mole
+A-Ocelot Pride
+A-Ochre Jelly
+A-Ominous Parcel
+A-Omnath, Locus of Creation
+A-Oran-Rief Ooze
+A-Orcish Bowmasters
+Ao, the Dawn Sky
+A-Paragon of Modernity
+Apathy
+A-Patrician Geist
+A-Peerless Samurai
+Apes of Rath
+Apex Altisaur
+Apex Devastator
+Apex Hawks
+Apex of Power
+A-Phantom Carriage
+Aphemia, the Cacophony
+Aphetto Exterminator
+Aphetto Runecaster
+Aphetto Vulture
+Aphotic Wisps
+A-Phylath, World Sculptor
+Aplan Mortarium
+A-Plate Armor
+Apocalypse
+Apocalypse Chime
+Apocalypse Demon
+Apocalypse Hydra
+Apostle of Invasion
+Apostle of Purifying Light
+Apostle's Blessing
+Apothecary Geist
+Apothecary Initiate
+Apothecary White
+Appeal
+Appetite for Brains
+Appetite for the Unnatural
+Apple of Eden, Isu Relic
+Applied Biomancy
+Apprentice Necromancer
+Apprentice Sharpshooter
+Apprentice Sorcerer
+Apprentice Wizard
+Approach My Molten Realm
+Approach of the Second Sun
+A-Precipitous Drop
+A-Prosperous Thief
+A-Pseudodragon Familiar
+A-Psionic Snoop
+A-Public Enemy
+A-Pyre-Sledge Arsonist
+Aquamorph Entity
+Aquastrand Spider
+Aquatic Alchemist
+Aquatic Incursion
+Aquatic Ingress
+Aqueous Form
+A-Queza, Augur of Agonies
+Aquus Steed
+Araba Mothrider
+Arachnoform
+Arachnogenesis
+Arachnoid
+Arachnoid Adaptation
+Arachnus Spinner
+Arachnus Web
+Aradara Express
+Aradesh, the Founder
+A-Radha, Coalition Warlord
+A-Radha's Firebrand
+Aragorn and Arwen, Wed
+Aragorn, Company Leader
+Aragorn, Hornburg Hero
+Aragorn, King of Gondor
+Aragorn, the Uniter
+Arahbo, Roar of the World
+A-Raiyuu, Storm's Edge
+A-Rakish Revelers
+Arashin Cleric
+Arashin Foremost
+Arashin Sovereign
+Arashin War Beast
+Arashi, the Sky Asunder
+Arasta of the Endless Web
+Arbaaz Mir
+Arbalest Elite
+Arbalest Engineers
+Arbiter of Knollridge
+Arbiter of the Ideal
+Arbor Armament
+Arborback Stomper
+Arbor Colossus
+Arboreal Alliance
+Arboreal Grazer
+Arborea Pegasus
+Arbor Elf
+Arboretum Elemental
+Arboria
+Arcade Gannon
+Arcades Sabboth
+Arcades, the Strategist
+Arcane Adaptation
+Arcane Archery
+Arcane Artisan
+Arcane Bombardment
+Arcane Denial
+Arcane Encyclopedia
+Arcane Endeavor
+Arcane Flight
+Arcane Heist
+Arcane Infusion
+Arcane Investigator
+Arcane Laboratory
+Arcane Melee
+Arcane Proxy
+Arcane Sanctum
+Arcane Savant
+Arcane Signet
+Arcane Subtraction
+Arcane Teachings
+Arcanis the Omnipotent
+Arcanis, the Omnipotent Avatar
+Arcanist's Owl
+Arcanum Wings
+Arc Blade
+Arcbound Bruiser
+Arcbound Condor
+Arcbound Crusher
+Arcbound Fiend
+Arcbound Hybrid
+Arcbound Javelineer
+Arcbound Lancer
+Arcbound Mouser
+Arcbound Overseer
+Arcbound Overseer Avatar
+Arcbound Prototype
+Arcbound Ravager
+Arcbound Reclaimer
+Arcbound Shikari
+Arcbound Slasher
+Arcbound Slith
+Arcbound Stinger
+Arcbound Tracker
+Arcbound Wanderer
+Arcbound Whelp
+Arcbound Worker
+Arcee, Acrobatic Coupe
+Arcee, Sharpshooter
+Archaeological Dig
+Archaeomancer
+Archaeomancer's Map
+Archaeomender
+Archangel
+Archangel Avacyn
+Archangel Elspeth
+Archangel of Strife
+Archangel of Thune
+Archangel of Tithes
+Archangel of Wrath
+Archangel's Light
+Archdemon of Greed
+Archdemon of Paliano
+Archdemon of Unx
+Archdruid's Charm
+Archelos, Lagoon Mystic
+Archers of Qarsi
+Archers' Parapet
+Archery Training
+Archetype of Aggression
+Archetype of Courage
+Archetype of Endurance
+Archetype of Finality
+Archetype of Imagination
+Archfiend of Depravity
+Archfiend of Despair
+Archfiend of Ifnir
+Archfiend of Sorrows
+Archfiend of Spite
+Archfiend of the Dross
+Archfiend's Vessel
+Archghoul of Thraben
+Archipelagore
+Architect of Restoration
+Architect of the Untamed
+Architects of Will
+Archive Dragon
+Archive Haunt
+Archive Trap
+Archivist
+Archivist of Gondor
+Archivist of Oghma
+Archmage Ascension
+Archmage Emeritus
+Archmage of Echoes
+Archmage's Charm
+Archmage's Newt
+Arch of Orazca
+Archon of Absolution
+Archon of Coronation
+Archon of Cruelty
+Archon of Emeria
+Archon of Falling Stars
+Archon of Justice
+Archon of Redemption
+Archon of Sun's Grace
+Archon of the Triumvirate
+Archon of the Wild Rose
+Archon's Glory
+Archpriest of Iona
+Archpriest of Shadows
+Archway Angel
+Archway Commons
+Archway of Innovation
+Archweaver
+Archwing Dragon
+Arc Lightning
+Arclight Phoenix
+Arc Mage
+Arco-Flagellant
+Arc Runner
+Arc-Slogger
+Arc Spitter
+Arctic Aven
+Arctic Flats
+Arctic Foxes
+Arctic Nishoba
+Arctic Treeline
+Arctic Wolves
+Arc Trail
+Arcum Dagsson
+Arcum's Weathervane
+Arcus Acolyte
+Arden Angel
+Ardenn, Intrepid Archaeologist
+Ardent Dustspeaker
+Ardent Electromancer
+Ardent Elementalist
+Ardent Militia
+Ardent Plea
+Ardent Recruit
+Ardent Soldier
+Ardenvale Fealty
+Ardenvale Paladin
+Ardenvale Tactician
+Ardoz, Cobbler of War
+A-Ready to Rumble
+A Reckoning Approaches
+Arek, False Goldwarden
+Arena
+Arena Athlete
+Arena of Glory
+Arena of the Ancients
+Arena Rector
+Arena Trickster
+Arenson's Aura
+Aretopolis
+A-Return Upon the Tide
+A-Revel Ruiner
+Argent Dais
+Argent Sphinx
+Argentum Armor
+Argentum Masticore
+Argivian Archaeologist
+Argivian Avenger
+Argivian Blacksmith
+Argivian Cavalier
+Argivian Find
+Argivian Phalanx
+Argivian Restoration
+Argivian Welcome
+Argothian Elder
+Argothian Enchantress
+Argothian Opportunist
+Argothian Pixies
+Argothian Sprite
+Argothian Swine
+Argothian Treefolk
+Argothian Uprooting
+Argothian Wurm
+Argoth, Sanctum of Nature
+Arguel's Blood Fast
+Aria of Flame
+Arid Archway
+Arid Mesa
+Arisen Gorgon
+A-Riveteers Initiate
+Arixmethes, Slumbering Isle
+Arjun, the Shifting Flame
+Ark of Blight
+Arlinn, Embraced by the Moon
+Arlinn Kord
+Arlinn's Wolf
+Arlinn, the Moon's Fury
+Arlinn, the Pack's Hope
+Arlinn, Voice of the Pack
+Armada Wurm
+Armadillo Cloak
+Armageddon
+Armament Corps
+Armament Master
+Armament of Nyx
+Armed
+Armed Response
+Armed with Proof
+Armguard Familiar
+Armillary Sphere
+Arming Gala
+Armistice
+Armix, Filigree Thrasher
+Arm-Mounted Anchor
+Armorcraft Judge
+Armored Armadillo
+Armored Ascension
+Armored Cancrix
+Armored Galleon
+Armored Griffin
+Armored Guardian
+Armored Kincaller
+Armored Pegasus
+Armored Scrapgorger
+Armored Skaab
+Armored Skyhunter
+Armored Transport
+Armored Warhorse
+Armored Whirl Turtle
+Armored Wolf-Rider
+Armorer Guildmage
+Armor of Faith
+Armor of Shadows
+Armor Sliver
+Armor Thrull
+Armory Automaton
+Armory Guard
+Armory Mice
+Armory of Iroas
+Armory Paladin
+Armory Veteran
+Arms Dealer
+Arms of Hadar
+Arms Race
+Arms Scavenger
+Arm the Cathars
+Arm with Aether
+Army Ants
+Army of Allah
+Army of the Damned
+Arna Kennerüd, Skycaptain
+Arni Brokenbrow
+Arni Metalbrow
+Arni Slays the Troll
+Arnjlot's Ascent
+Arno Dorian
+A-Rockslide Sorcerer
+Aron, Benalia's Ruin
+A-Rowan, Scholar of Sparks
+Arrest
+Arrester's Admonition
+Arrester's Zeal
+Arrogant Bloodlord
+Arrogant Outlaw
+Arrogant Poet
+Arrogant Vampire
+Arrogant Wurm
+Arrows of Justice
+Arrow Storm
+Arrow Volley Trap
+Arteeoh, Dread Scavenger
+Arterial Alchemy
+Arterial Flow
+Artful Dodge
+Artful Maneuver
+Artful Takedown
+Arthur, Marigold Knight
+Artifact Blast
+Artifact Mutation
+Artifact Possession
+Artifact Ward
+Artificer Class
+Artificer's Assistant
+Artificer's Dragon
+Artificer's Epiphany
+Artificer's Hex
+Artificial Evolution
+Artillery Blast
+Artillery Enthusiast
+Artisan of Forms
+Artisan of Kozilek
+Artisan's Sorrow
+Artistic Refusal
+Artist's Talent
+A-Rulik Mons, Warren Chief
+Arvad the Cursed
+Arvad, Weatherlight Smuggler
+Arwen, Mortal Queen
+Arwen's Gift
+Arwen Undómiel
+Arwen, Weaver of Hope
+Aryel, Knight of Windgrace
+A-Saheeli, Filigree Master
+A-Sand Augury
+Asari Captain
+A-Satoru Umezawa
+Ascendant Acolyte
+Ascendant Evincar
+Ascendant Packleader
+Ascendant Spirit
+Ascended Lawmage
+Ascend from Avernus
+Ascending Aven
+Ascent of the Worthy
+Asceticism
+A-Scout the Wilderness
+A-Security Rhox
+A-Sepulcher Ghoul
+A-Sewer Crocodile
+As Foretold
+Ashad, the Lone Cyberman
+Asha's Favor
+A-Shattered Seraph
+Ashaya, Soul of the Wild
+Ash Barrens
+Ashcloud Phoenix
+Ashcoat Bear
+Ashcoat of the Shadow Swarm
+Ashen Firebeast
+Ashen Ghoul
+Ashen Monstrosity
+Ashenmoor Cohort
+Ashenmoor Gouger
+Ashenmoor Liege
+Ashen Powder
+Ashen Reaper
+Ashen Rider
+Ashen-Skin Zubera
+Ashes of the Abhorrent
+Ashes of the Fallen
+A-Shessra, Death's Whisper
+Ashes to Ashes
+Ashiok, Dream Render
+Ashiok, Nightmare Muse
+Ashiok, Nightmare Weaver
+Ashiok's Adept
+Ashiok, Sculptor of Fears
+Ashiok's Erasure
+Ashiok's Forerunner
+Ashiok's Reaper
+Ashiok's Skulker
+Ashiok, Wicked Manipulator
+A-Shipwreck Sifters
+Ashling, Flame Dancer
+Ashling, the Extinguisher
+Ashling, the Extinguisher Avatar
+Ashling the Pilgrim Avatar
+Ashmouth Blade
+Ashmouth Dragon
+Ashmouth Hound
+Ashnod
+Ashnod, Flesh Mechanist
+Ashnod's Altar
+Ashnod's Battle Gear
+Ashnod's Harvester
+Ashnod's Intervention
+Ashnod's Transmogrant
+Ashnod the Uncaring
+Ash, Party Crasher
+Ashuza's Breath
+Ash Zealot
+A-Sigardian Paladin
+A-Sigil of Myrkul
+A-Silver-Fur Master
+Asinine Antics
+A-Sizzling Soloist
+A-Skemfar Avenger
+A-Skemfar Elderhall
+A-Skull Skaab
+A-Skyclave Shadowcat
+As Luck Would Have It
+Asmira, Holy Avenger
+Asmodeus the Archfiend
+Asmoranomardicadaistinaculdacar
+A-Social Climber
+A-Sorcerer Class
+A-Soul of Windgrace
+A-Spara's Adjudicators
+A-Speakeasy Server
+Aspect of Gorgon
+Aspect of Hydra
+Aspect of Lamprey
+Aspect of Manticore
+Aspect of Mongoose
+Aspect of Wolf
+A-Spectral Binding
+A-Spell Satchel
+Asphodel Wanderer
+Asphyxiate
+Aspirant's Ascent
+Aspiring Aeronaut
+Aspiring Champion
+A-Split the Spoils
+A-Splitting the Powerstone
+A-Sprouting Goblin
+Assassinate
+Assassin Den
+Assassin Gauntlet
+Assassin Initiate
+Assassin's Blade
+Assassin's Ink
+Assassin's Strike
+Assassin's Trophy
+Assault
+Assault Formation
+Assault Griffin
+Assault Intercessor
+Assault on Osgiliath
+Assaultron Dominator
+Assault Strobe
+Assault Zeppelid
+Assemble
+Assembled Alphas
+Assemble from Parts
+Assemble the Entmoot
+Assemble the Legion
+Assemble the Players
+Assemble the Rank and Vile
+Assemble the Team
+Assembly-Worker
+Assert Authority
+Assimilate Essence
+Assimilation Aegis
+Assure
+Ass Whuppin'
+Astarion's Thirst
+Astarion, the Decadent
+A-Steadfast Unicorn
+A-Stimulus Package
+A-Stitched Assistant
+Astor, Bearer of Blades
+Astral Arena
+Astral Confrontation
+Astral Cornucopia
+Astral Dragon
+Astral Drift
+Astral Steel
+Astral Wingspan
+Astrid Peth
+A-Sunbathing Rootwalla
+Aswan Jaguar
+Asylum Visitor
+A-Symmetry Sage
+A-Syndicate Infiltrator
+Atalan Jackal
+A Tale for the Ages
+A-Tanazir Quandrix
+Atarka Beastbreaker
+Atarka Efreet
+Atarka Monument
+Atarka Pummeler
+Atarka's Command
+Atarka, World Render
+A-Tatyova, Steward of Tides
+A-Teferi, Time Raveler
+Atemsis, All-Seeing
+A-Tenured Inkcaster
+A-The Meathook Massacre
+A-The One Ring
+A-Thornmantle Striker
+A-Thousand-Faced Shadow
+A-Thran Spider
+Athreos, God of Passage
+Athreos, Shroud-Veiled
+At Knifepoint
+Atla Palani, Nest Tender
+Atmosphere Surgeon
+Atog
+Atogatog
+A-Tome Shredder
+Atomize
+Atomwheel Acrobats
+Atraxa, Grand Unifier
+Atraxa, Praetors' Voice
+Atraxa's Fall
+Atraxa's Skitterfang
+Atraxi Warden
+Atris, Oracle of Half-Truths
+A-Triumphant Adventurer
+Atrocious Experiment
+Atsushi, the Blazing Sky
+Attempted Murder
+Attendant of Vraska
+Attended Healer
+Attended Knight
+Attended Socialite
+Attentive Skywarden
+Attentive Sunscribe
+Attrition
+Attunement
+Attune with Aether
+A-Tyr's Blesing
+A-Tyvar Kell
+Atzal, Cave of Eternity
+Atzocan Archer
+Atzocan Seer
+Audacious Infiltrator
+Audacious Reshapers
+Audacious Swap
+Audacious Thief
+Audacity
+Audience with Trostani
+Auditore Ambush
+Auger Spree
+Augmenter Pugilist
+Augmenting Automaton
+Augur il-Vec
+Augur of Autumn
+Augur of Bolas
+Augur of Skulls
+Augury Adept
+Augury Owl
+Augury Raven
+Augusta, Dean of Order
+A-Umara Mystic
+A-Unholy Heat
+Auntie Blyte, Bad Influence
+Auntie's Hovel
+Auntie's Snitch
+Aura Blast
+Aura Extraction
+Aura Flux
+Aura Fracture
+Aura Gnarlid
+Auramancer
+Auramancer's Guise
+Aura Mutation
+Aura of Dominion
+Aura of Silence
+Aura Shards
+Aura Thief
+Auratog
+Auratouched Mage
+Aurelia, Exemplar of Justice
+Aurelia's Fury
+Aurelia's Vindicator
+Aurelia, the Law Above
+Aurelia, the Warleader
+Aurification
+Auriok Bladewarden
+Auriok Champion
+Auriok Edgewright
+Auriok Glaivemaster
+Auriok Replica
+Auriok Salvagers
+Auriok Steelshaper
+Auriok Sunchaser
+Auriok Survivors
+Aurochs
+Aurochs Herd
+Aurora Champion
+Aurora of Emrakul
+Aurora Phoenix
+Aurora Shifter
+A-Urza, Powerstone Prodigy
+A-Urza's Command
+Auspicious Ancestor
+Auspicious Arrival
+Auspicious Starrix
+Austere Command
+Authority
+Authority of the Consuls
+Author of Shadows
+Autochthon Wurm
+Automated Artificer
+Automated Assembly Line
+Automatic Librarian
+Autonomous Assembler
+Auton Soldier
+Autumnal Gloom
+A-Uurg, Spawn of Turg
+Avabruck Caretaker
+Avacyn, Angel of Hope
+Avacynian Missionaries
+Avacynian Priest
+Avacyn's Collar
+Avacyn's Judgment
+Avacyn's Memorial
+Avacyn's Pilgrim
+Avacyn, the Purifier
+Avalanche
+Avalanche Caller
+Avalanche Riders
+Avalanche Tusker
+A-Vampire Scrivener
+Avarax
+Avarice Amulet
+Avaricious Dragon
+Avatar of Discord
+Avatar of Fury
+Avatar of Growth
+Avatar of Hope
+Avatar of Might
+Avatar of Slaughter
+Avatar of the Resolute
+Avatar of Will
+Avatar of Woe
+A-Vega, the Watcher
+Aveline de Grandpré
+Aven Archer
+Aven Augur
+Aven Battle Priest
+Aven Brigadier
+Aven Cloudchaser
+Aven Courier
+Aven Envoy
+Aven Eternal
+Aven Farseer
+Aven Fateshaper
+Aven Fisher
+Aven Fleetwing
+Aven Flock
+Aven Fogbringer
+Aven Gagglemaster
+Avenger en-Dal
+Avenger of Zendikar
+Avenging Angel
+Avenging Arrow
+Avenging Druid
+Avenging Huntbonder
+Avenging Hunter
+Aven Heartstabber
+Aven Initiate
+Aven Interrupter
+Aven Mindcensor
+Aven of Enduring Hope
+Aven Redeemer
+Aven Reedstalker
+Aven Riftwatcher
+Aven Sentry
+Aven Shrine
+Aven Skirmisher
+Aven Smokeweaver
+Aven Soulgazer
+Aven Squire
+Aven Sunstriker
+Aven Surveyor
+Aven Tactician
+Aven Trailblazer
+Aven Trooper
+Aven Warcraft
+Aven Warhawk
+Aven Wind Guide
+Aven Wind Mage
+Averna, the Chaos Bloom
+Avian Changeling
+Avian Oddity
+Aviary Mechanic
+Aviation Pioneer
+Avid Reclaimer
+A-Visions of Phyrexia
+Avoid Fate
+Awakened Amalgam
+Awakened Awareness
+Awakened Skyclave
+Awakener Druid
+Awakening
+Awakening of Vitu-Ghazi
+Awakening Zone
+Awaken the Ancient
+Awaken the Bear
+Awaken the Blood Avatar
+Awaken the Erstwhile
+Awaken the Maelstrom
+Awaken the Sky Tyrant
+Awaken the Sleeper
+Awaken the Woods
+A-Warm Welcome
+Away
+Awesome Presence
+Awe Strike
+A-Will, Scholar of Frost
+A-Winota, Joiner of Forces
+A-Wizard Class
+Awoken Demon
+Awoken Horror
+AWOL
+Axebane Beast
+Axebane Ferox
+Axebane Guardian
+Axebane Stag
+Axegrinder Giant
+Axelrod Gunnarson
+Axgard Armory
+Axgard Artisan
+Axgard Braggart
+Axgard Cavalry
+Axiom Engraver
+Aya of Alexandria
+Ayara, First of Locthwain
+Ayara, Furnace Queen
+Ayara's Oathsworn
+Ayara, Widow of the Realm
+Ayesha Tanaka
+Ayesha Tanaka, Armorer
+Ayli, Eternal Pilgrim
+A-You Come to a River
+A-Young Blue Dragon
+A-Young Red Dragon
+Aysen Bureaucrats
+Aysen Crusader
+Aysen Highway
+Ayula, Queen Among Bears
+Ayula's Influence
+Ayumi, the Last Visitor
+Azami, Lady of Scrolls
+Azamuki, Treachery Incarnate
+A-Zar Ojanen, Scion of Efrava
+Azcanta, the Sunken Ruin
+Azimaet Drake
+Azlask, the Swelling Scourge
+A-Zoological Study
+Azorius Aethermage
+Azorius Arrester
+Azorius Chancery
+Azorius Charm
+Azorius Cluestone
+Azorius First-Wing
+Azorius Guildgate
+Azorius Guildmage
+Azorius Herald
+Azorius Justiciar
+Azorius Keyrune
+Azorius Knight-Arbiter
+Azorius Locket
+Azorius Skyguard
+Azor's Elocutors
+Azor's Gateway
+Azor, the Lawbringer
+Azra Bladeseeker
+Azra Oddsmaker
+Azra Smokeshaper
+Azure Beastbinder
+Azure Drake
+Azure Fleet Admiral
+Azure Mage
+Azusa, Lost but Seeking
+Azusa's Many Journeys
+Baba Lysaga, Night Witch
+Back-Alley Gardener
+Backdraft Hellkite
+Backfire
+Back for More
+Back for Seconds
+Back from the Brink
+Back in Town
+Backlash
+Backstreet Bruiser
+Back to Basics
+Back to Nature
+Backup Agent
+Backup Plan
+Backwoods Survivalists
+Bad Deal
+Badlands
+Badlands Revival
+Bad Moon
+Bad River
+Bad Wolf Bay
+Baeloth Barrityl, Entertainer
+Baffling Defenses
+Baffling End
+Bag End Porter
+Bag of Devouring
+Bag of Tricks
+Baird, Argivian Recruiter
+Baird, Steward of Argive
+Baithook Angler
+Bake into a Pie
+Bakersbane Duo
+Bakery Raid
+Baku Altar
+Bala Ged Recovery
+Bala Ged Sanctuary
+Bala Ged Scorpion
+Bala Ged Thief
+Balance
+Balan, Wandering Knight
+Baldur's Gate
+Balduvian Atrocity
+Balduvian Barbarians
+Balduvian Bears
+Balduvian Berserker
+Balduvian Conjurer
+Balduvian Dead
+Balduvian Fallen
+Balduvian Frostwaker
+Balduvian Horde
+Balduvian Hydra
+Balduvian Rage
+Balduvian Trading Post
+Balduvian Warlord
+Balduvian War-Makers
+Balefire Dragon
+Balefire Liege
+Baleful Ammit
+Baleful Beholder
+Baleful Eidolon
+Baleful Force
+Baleful Mastery
+Baleful Stare
+Baleful Strix
+Ballad of the Black Flag
+Ballista Charger
+Ballista Squad
+Ballista Watcher
+Ballista Wielder
+Ball Lightning
+Balloon Peddler
+Balloon Stand
+Ballot Broker
+Ballroom
+Ballroom Brawlers
+Ballynock Cohort
+Ballynock Trapper
+Ballyrush Banneret
+Balmor, Battlemage Captain
+Balor
+Baloth Cage Trap
+Baloth Gorger
+Baloth Null
+Baloth Packhunter
+Baloth Pup
+Baloth Woodcrasher
+Balshan Beguiler
+Balshan Collaborator
+Balshan Griffin
+Balthor the Stout
+Balustrade Spy
+Bamboo Grove Archer
+Bandage
+Banding Sliver
+Bandit's Haul
+Bandit's Talent
+Band Together
+Bane Alley Blackguard
+Bane Alley Broker
+Baneblade Scoundrel
+Baneclaw Marauder
+Banefire
+Baneful Omen
+Banehound
+Bane, Lord of Darkness
+Bane of Bala Ged
+Bane of Hanweir
+Bane of Progress
+Bane's Contingency
+Bane's Invoker
+Baneslayer Angel
+Banewasp Affliction
+Banewhip Punisher
+Banisher Priest
+Banish from Edoras
+Banishing Coils
+Banishing Light
+Banishing Slash
+Banishing Stroke
+Banish into Fable
+Banishment
+Banishment Decree
+Banish to Another Universe
+Bank Job
+Bankrupt in Blood
+Bannerhide Krushok
+Banners Raised
+Banquet Guests
+Banshee of the Dread Choir
+Banshee's Blade
+Bant
+Bant Battlemage
+Bant Charm
+Bant Panorama
+Bant Sojourners
+Bant Sureblade
+Barad-dûr
+Baral and Kari Zev
+Baral, Chief of Compliance
+Baral's Expertise
+Barbara Wright
+Barbarian Bully
+Barbarian Class
+Barbarian General
+Barbarian Horde
+Barbarian Lunatic
+Barbarian Outcast
+Barbarian Riftcutter
+Barbarian Ring
+Barbary Apes
+Barbed-Back Wurm
+Barbed Batterfist
+Barbed Battlegear
+Barbed Field
+Barbed Foliage
+Barbed Lightning
+Barbed Servitor
+Barbed Shocker
+Barbed Sliver
+Barbed Spike
+Barbed Wire
+Barbtooth Wurm
+Bard Class
+Bargain
+Barge In
+Barging Sergeant
+Barishi
+Barkchannel Pathway
+Barkform Harvester
+Barkhide Mauler
+Barkhide Troll
+Bark-Knuckle Boxer
+Barkshell Blessing
+Barktooth Warbeard
+Barkweave Crusher
+Barl's Cage
+Baron Bertram Graywater
+Baron Sengir
+Barony Vampire
+Barracks of the Thousand
+Barrage of Boulders
+Barrage Ogre
+Barreling Attack
+Barren Glory
+Barren Moor
+Barrenton Cragtreads
+Barricade Breaker
+Barrier Breach
+Barrier of Bones
+Barrin's Codex
+Barrin's Spite
+Barrin's Unmaking
+Barrin, Tolarian Archmage
+Barroom Brawl
+Barrow-Blade
+Barrow Ghoul
+Barrowgoyf
+Barrowin of Clan Undurr
+Barrow Naughty
+Barrow Witches
+Bartel Runeaxe
+Bartered Cow
+Bar the Door
+Bar the Gate
+Bartizan Bats
+Bartolomé del Presidio
+Baru, Fist of Krosa
+Baru, Wurmspeaker
+Basalt Gargoyle
+Basalt Golem
+Basalt Monolith
+Basalt Ravager
+Basandra, Battle Seraph
+Base Camp
+Bash to Bits
+Basic Conjuration
+Basilica Bell-Haunt
+Basilica Guards
+Basilica Screecher
+Basilica Shepherd
+Basilica Skullbomb
+Basilica Stalker
+Basilisk Collar
+Basilisk Gate
+Basim Ibn Ishaq
+Basking Broodscale
+Basking Capybara
+Basking Rootwalla
+Basri, Devoted Paladin
+Basri Ket
+Basri's Acolyte
+Basri's Aegis
+Basri's Lieutenant
+Basri's Solidarity
+Bassara Tower Archer
+Bastion Enforcer
+Bastion Inventor
+Bastion Mastodon
+Bastion of Remembrance
+Bastion Protector
+Bat Colony
+Bathe in Dragonfire
+Bathe in Gold
+Baton of Courage
+Baton of Morale
+Battalion Foot Soldier
+Batterbone
+Battered Golem
+Batterhorn
+Battering Craghorn
+Battering Krasis
+Battering Ram
+Battering Sliver
+Battering Wurm
+Battershield Warrior
+Batterskull
+Battery
+Battery Bearer
+Battle Angels of Tyr
+Battle at the Bridge
+Battle at the Helvault
+Battle Brawler
+Battle Cry Goblin
+Battle Display
+Battlefield Butcher
+Battlefield Forge
+Battlefield Improvisation
+Battlefield Medic
+Battlefield Percher
+Battlefield Promotion
+Battlefield Raptor
+Battlefield Scavenger
+Battlefield Scrounger
+Battlefield Thaumaturge
+Battleflight Eagle
+Battlefly Swarm
+Battle for Bretagard
+Battle Frenzy
+Battlefront Krushok
+Battlegate Mimic
+Battlegrace Angel
+Battleground Geist
+Battlegrowth
+Battle Hurda
+Battle Hymn
+Battle-Mad Ronin
+Battlemage's Bracers
+Battle Mammoth
+Battle Mastery
+Battle of Frost and Fire
+Battle of Hoover Dam
+Battle of Wits
+Battle Plan
+Battle-Rage Blessing
+Battle Rampart
+Battle-Rattle Shaman
+Battle-Scarred Goblin
+Battle Screech
+Battle Sliver
+Battle Squadron
+Battle Strain
+Battletide Alchemist
+Battlewand Oak
+Battlewing Mystic
+Battlewise Aven
+Battlewise Hoplite
+Battlewise Valor
+Bat Whisperer
+Bayek of Siwa
+Bay Falcon
+Baylen, the Haymaker
+Bayou
+Bayou Dragonfly
+Bayou Groff
+Bazaar Krovod
+Bazaar of Baghdad
+Bazaar of Wonders
+Beacon Behemoth
+Beacon Bolt
+Beacon Hawk
+Beacon of Creation
+Beacon of Destruction
+Beacon of Immortality
+Beacon of Tomorrows
+Beacon of Unrest
+Beaming Defiance
+Beamsplitter Mage
+Beamtown Beatstick
+Beanstalk Giant
+Beanstalk Wurm
+Bear Cub
+Bearded Axe
+Bear Down
+Bearer of Memory
+Bearer of Overwhelming Truths
+Bearer of Silence
+Bearer of the Heavens
+Bearscape
+Bear's Companion
+Bear Umbra
+Beast Attack
+Beastbond Outcaster
+Beastbreaker of Bala Ged
+Beastcaller Savant
+Beast Hunt
+Beast in Show
+Beastmaster Ascension
+Beastmaster's Magemark
+Beast of Burden
+Beasts of Bogardan
+Beast Walkers
+Beast Whisperer
+Beat a Path
+Because I Have Willed It
+Beck
+Beckon Apparition
+Beckoning Will-o'-Wisp
+Become Anonymous
+Become Brutes
+Become Immense
+Become the Pilot
+Bedazzle
+Bedeck
+Bedevil
+Bedlam
+Bedlam Reveler
+Bedrock Tortoise
+Bee Sting
+Beetleback Chief
+Beetleform Mage
+Befoul
+Befriending the Moths
+Befuddle
+Begin Anew
+Begin the Invasion
+Beguiler of Wills
+Behemoth of Vault 0
+Behemoth's Herald
+Behemoth Sledge
+Behind the Mask
+Behind the Scenes
+Behold My Grandeur
+Behold the Multiverse
+Behold the Power of Destruction
+Behold the Unspeakable
+Be'lakor, the Dark Master
+Belbe, Corrupted Observer
+Belbe's Percher
+Belbe's Portal
+Beledros Witherbloom
+Belenon War Anthem
+Belfry Spirit
+Believe
+Belisarius Cawl
+Bell Borca, Spectral Sergeant
+Belle of the Brawl
+Belligerent Brontodon
+Belligerent Guest
+Belligerent Hatchling
+Belligerent of the Ball
+Belligerent Regisaur
+Belligerent Sliver
+Belligerent Whiptail
+Belligerent Yearling
+Bello, Bard of the Brambles
+Bellowing Aegisaur
+Bellowing Bruiser
+Bellowing Crier
+Bellowing Elk
+Bellowing Fiend
+Bellowing Mauler
+Bellowing Saddlebrute
+Bellowing Tanglewurm
+Bellowsbreath Ogre
+Bellows Lizard
+Belltoll Dragon
+Belltower Sphinx
+Beloved Beggar
+Beloved Chaplain
+Beloved Princess
+Belt of Giant Strength
+Beluna Grandsquall
+Beluna's Gatekeeper
+Benalish Cavalry
+Benalish Commander
+Benalish Emissary
+Benalish Faithbonder
+Benalish Heralds
+Benalish Hero
+Benalish Honor Guard
+Benalish Infantry
+Benalish Knight
+Benalish Knight-Counselor
+Benalish Lancer
+Benalish Marshal
+Benalish Partisan
+Benalish Sleeper
+Benalish Trapper
+Benalish Veteran
+Ben-Ben, Akki Hermit
+Beneath the Sands
+Benediction of Moons
+Benefaction of Rhonas
+Benefactor's Draught
+Benevolent Ancestor
+Benevolent Blessing
+Benevolent Bodyguard
+Benevolent Geist
+Benevolent Hydra
+Benevolent Unicorn
+Bennie Bracks, Zoologist
+Benthic Anomaly
+Benthic Behemoth
+Benthic Biomancer
+Benthic Criminologists
+Benthic Djinn
+Benthic Explorers
+Benthic Giant
+Benthic Infiltrator
+Benthicore
+Bequeathal
+Bereaved Survivor
+Bereavement
+Beregond of the Guard
+Berg Strider
+Berserk
+Berserker's Frenzy
+Berserkers of Blood Ridge
+Berserkers' Onslaught
+Berserk Murlodont
+Beseech the Mirror
+Beseech the Queen
+Besieged Viking Village
+Beskir Shieldmate
+Besmirch
+Besotted Knight
+Bespoke Battlegarb
+Bespoke Battlewagon
+Bessie, the Doctor's Roadster
+Bess, Soul Nourisher
+Bestial Bloodline
+Bestial Fury
+Bestial Menace
+Betrayal
+Betrayal at the Vault
+Betroth the Beast
+Better Offer
+Bewilder
+Bewitching Leechcraft
+Beyeen Coast
+Beyeen Veil
+Beza, the Bounding Spring
+Bhaal, Lord of Murder
+Bhaal's Invoker
+Biblioplex Assistant
+Biblioplex Kraken
+Bident of Thassa
+Big Boa Constrictor
+Big Game Hunter
+Bigger on the Inside
+Bighorner Rancher
+Big Play
+Big Score
+Big Spender
+Bilbo, Birthday Celebrant
+Bilbo, Retired Burglar
+Bilbo's Ring
+Bile Blight
+Bile Urchin
+Bilious Skulldweller
+Bill Ferny, Bree Swindler
+Billiard Room
+Bill Potts
+Bill the Pony
+Bind
+Binding Agony
+Binding Geist
+Binding Grasp
+Binding Mummy
+Binding Negotiation
+Binding the Old Gods
+Bind Spirit
+Bind the Monster
+Bind to Secrecy
+Bioessence Hydra
+Biogenic Ooze
+Biogenic Upgrade
+Biolume Egg
+Biolume Serpent
+Biomancer's Familiar
+Biomantic Mastery
+Biomathematician
+Biophagus
+Bioplasm
+Biotransference
+Biovisionary
+Biowaste Blob
+Bird Admirer
+Bird Maiden
+Birds of Paradise
+Birds of Paradise Avatar
+Birgi, God of Storytelling
+Birthday Escape
+Birthing Boughs
+Birthing Hulk
+Birthing Pod
+Birthing Ritual
+Birth of the Imperium
+Birthright Boon
+Bishop of Binding
+Bishop of Rebirth
+Bishop of the Bloodstained
+Bishop of Wings
+Bishop's Soldier
+Bismuth Mindrender
+Bite Down
+Bite Down on Crime
+Biting-Palm Ninja
+Biting Rain
+Biting Tether
+Bitterblade Warrior
+Bitterblossom
+Bitterbow Sharpshooters
+Bitter Chill
+Bitter Downfall
+Bitter Feud
+Bitterheart Witch
+Bitter Ordeal
+Bitter Reunion
+Bitter Revelation
+Bitterthorn, Nissa's Animus
+Bitter Triumph
+Bituminous Blast
+Blackblade Reforged
+Blackbloom Bog
+Blackbloom Rogue
+Black Cat
+Blackcleave Cliffs
+Blackcleave Goblin
+Black Dragon
+Black Dragon Gate
+Blacker Lotus
+Black Hole
+Black Knight
+Blacklance Paragon
+Black Lotus
+Blackmail
+Black Mana Battery
+Black Market
+Black Market Connections
+Black Market Tycoon
+Black Oak of Odunos
+Black Poplar Shaman
+Black Scarab
+Blacksmith's Skill
+Blacksmith's Talent
+Blacksnag Buzzard
+Black Sun's Twilight
+Black Vise
+Black Ward
+Bladeback Sliver
+Blade Banish
+Blade-Blizzard Kitsune
+Bladebrand
+Bladecoil Serpent
+Bladed Ambassador
+Bladed Battle-Fan
+Bladed Bracers
+Bladed Pinions
+Bladed Sentinel
+Bladegraft Aspirant
+Bladegriff Prototype
+Blade Historian
+Bladehold Cleaver
+Bladehold War-Whip
+Blade Instructor
+Blade Juggler
+Blademane Baku
+Blade of Selves
+Blade of Shared Souls
+Blade of the Bloodchief
+Blade of the Oni
+Blade of the Sixth Pride
+Blade Sliver
+Blades of Velis Vel
+Blade Splicer
+Bladestitched Skaab
+Blade-Tribe Berserkers
+Bladetusk Boar
+Bladewheel Chariot
+Bladewing, Deathless Tyrant
+Bladewing's Thrall
+Bladewing the Risen
+Blanchwood Armor
+Blanchwood Prowler
+Blanchwood Treefolk
+Blanka, Ferocious Friend
+Blanket of Night
+Blaring Captain
+Blaring Recruiter
+Blasphemous Act
+Blasted Landscape
+Blaster, Combat DJ
+Blaster Hulk
+Blaster Mage
+Blaster, Morale Booster
+Blastfire Bolt
+Blast from the Past
+Blast-Furnace Hellkite
+Blastoderm
+Blast of Genius
+Blatant Thievery
+Blaze
+Blaze Commando
+Blazethorn Scarecrow
+Blazing Archon
+Blazing Blade Askari
+Blazing Crescendo
+Blazing Effigy
+Blazing Hellhound
+Blazing Hope
+Blazing Rootwalla
+Blazing Salvo
+Blazing Specter
+Blazing Sunsteel
+Blazing Torch
+Blazing Volley
+Bleak Coven Vampires
+Bleed Dry
+Bleeding Edge
+Bleeding Effect
+Blessed Alliance
+Blessed Breath
+Blessed Defiance
+Blessed Hippogriff
+Blessed Light
+Blessed Orator
+Blessed Respite
+Blessed Reversal
+Blessed Sanctuary
+Blessed Spirits
+Blessed Wind
+Blessed Wine
+Blessing
+Blessing of Belzenlok
+Blessing of Frost
+Blessing of Leeches
+Blessing of the Nephilim
+Blessings of Nature
+Blex, Vexing Pest
+Blight
+Blightbeetle
+Blightbelly Rat
+Blight-Breath Catoblepas
+Blightcaster
+Blighted Agent
+Blighted Bat
+Blighted Cataract
+Blighted Fen
+Blighted Gorge
+Blighted Shaman
+Blighted Steppe
+Blighted Woodland
+Blight Grenade
+Blight Herder
+Blight Keeper
+Blight Mamba
+Blight Mound
+Blightning
+Blight Pile
+Blightreaper Thallid
+Blight Sickle
+Blightsoil Druid
+Blightsower Thallid
+Blightspeaker
+Blightsteel Colossus
+Blightstep Pathway
+Blight Titan
+Blightwidow
+Blightwing Bandit
+Blightwing Whelp
+Blim, Comedic Genius
+Blindblast
+Blind Creeper
+Blind Hunter
+Blinding Angel
+Blinding Drone
+Blinding Flare
+Blinding Light
+Blinding Mage
+Blinding Powder
+Blinding Radiance
+Blinding Souleater
+Blinding Spray
+Blind Obedience
+Blind Phantasm
+Blind-Spot Giant
+Blind with Anger
+Blind Zealot
+Blink
+Blink Dog
+Blinking Spirit
+Blinkmoth Nexus
+Blinkmoth Urn
+Blink of an Eye
+Blister Beetle
+Blistercoil Weird
+Blistergrub
+Blistering Barrier
+Blistering Dieflyn
+Blistering Firecat
+Blisterpod
+Blisterspit Gremlin
+Blisterstick Shaman
+Blitz Automaton
+Blitz Hellion
+Blitz Leech
+Blitz of the Thunder-Raptor
+Blitzwing, Adaptive Assailant
+Blitzwing, Cruel Tormentor
+Blizzard
+Blizzard Brawl
+Blizzard Elemental
+Blizzard Specter
+Blizzard Strix
+Bloated Contaminator
+Bloated Processor
+Bloated Toad
+Bloatfly Swarm
+Blockade Runner
+Blockbuster
+Blood
+Blood Age General
+Blood Artist
+Blood Aspirant
+Blood Bairn
+Blood Baron of Vizkopa
+Bloodbat Summoner
+Blood Beckoning
+Bloodboil Sorcerer
+Bloodbond March
+Bloodbond Vampire
+Bloodborn Scoundrels
+Bloodbraid Challenger
+Bloodbraid Elf
+Bloodbraid Marauder
+Bloodbriar
+Blood Burglar
+Bloodchief Ascension
+Bloodchief's Thirst
+Blood-Chin Fanatic
+Blood-Chin Rager
+Blood Clock
+Bloodcrazed Goblin
+Bloodcrazed Hoplite
+Bloodcrazed Neonate
+Bloodcrazed Paladin
+Bloodcrazed Socialite
+Bloodcrusher of Khorne
+Blood Crypt
+Blood Cultist
+Blood Curdle
+Bloodcurdler
+Bloodcurdling Scream
+Blood-Cursed Knight
+Blood Divination
+Bloodfeather Phoenix
+Bloodfell Caves
+Blood Feud
+Bloodfire Colossus
+Bloodfire Dwarf
+Bloodfire Enforcers
+Bloodfire Expert
+Bloodfire Kavu
+Bloodfire Mentor
+Blood for Bones
+Bloodforged Battle-Axe
+Blood for the Blood God!
+Blood Fountain
+Bloodfray Giant
+Blood Frenzy
+Blood Funnel
+Bloodghast
+Bloodgift Demon
+Blood Glutton
+Bloodhall Ooze
+Bloodhall Priest
+Bloodhaze Wolverine
+Bloodhill Bastion
+Blood Host
+Blood Hound
+Bloodhunter Bat
+Bloodhusk Ritualist
+Blood Hustler
+Blood Hypnotist
+Bloodied Ghost
+Blood Knight
+Bloodletter of Aclazotz
+Bloodletter Quill
+Bloodline Culling
+Bloodline Keeper
+Bloodline Necromancer
+Bloodline Pretender
+Bloodline Shaman
+Bloodlord of Vaasgoth
+Blood Lust
+Bloodlust Inciter
+Bloodmad Vampire
+Bloodmark Mentor
+Blood Mist
+Bloodmist Infiltrator
+Blood Money
+Blood Moon
+Blood Ogre
+Blood on the Snow
+Blood Operative
+Blood Pact
+Blood Pet
+Blood Petal Celebrant
+Blood Price
+Bloodpyre Elemental
+Bloodrage Alpha
+Bloodrage Brawler
+Bloodrage Vampire
+Blood Reckoning
+Blood Researcher
+Bloodrite Invoker
+Bloodrock Cyclops
+Bloodroot Apothecary
+Bloodscale Prowler
+Blood Scrivener
+Blood Seeker
+Blood Servitor
+Bloodshed Fever
+Bloodshot Trainee
+Bloodsky Berserker
+Bloodsoaked Altar
+Bloodsoaked Champion
+Bloodsoaked Insight
+Bloodsoaked Reveler
+Blood Spatter Analysis
+Blood Speaker
+Bloodspore Thrinax
+Bloodsprout Talisman
+Bloodstained Mire
+Bloodstoke Howler
+Bloodstone Cameo
+Bloodstone Goblin
+Blood Sun
+Bloodsworn Knight
+Bloodsworn Squire
+Bloodsworn Steward
+Bloodtallow Candle
+Bloodthirster
+Bloodthirsty Aerialist
+Bloodthirsty Blade
+Bloodthirsty Ogre
+Bloodthorn Flail
+Bloodthorn Taunter
+Bloodthrone Vampire
+Blood Tithe
+Bloodtithe Collector
+Bloodtithe Harvester
+Blood-Toll Harpy
+Bloodtracker
+Blood Tribute
+Blood Tyrant
+Bloodvial Purveyor
+Bloodwater Entity
+Bloody Betrayal
+Bloom Hulk
+Blooming Blast
+Blooming Cactusfolk
+Blooming Marsh
+Bloomwielder Dryads
+Blorbian Buddy
+Blossom-Clad Werewolf
+Blossom Dryad
+Blossoming Bogbeast
+Blossoming Calm
+Blossoming Defense
+Blossoming Sands
+Blossoming Tortoise
+Blossoming Wreath
+Blossom Prancer
+Blot Out
+Blot Out the Sky
+Blowfly Infestation
+Blow Off Steam
+Blow Your House Down
+Bludgeon Brawl
+Blue Dragon
+Blue Elemental Blast
+Blue, Loyal Raptor
+Blue Mana Battery
+Blue Scarab
+Blue Sun's Twilight
+Blue Sun's Zenith
+Blue Ward
+Blunt the Assault
+Blur
+Blur of Blades
+Blurred Mongoose
+Blur Sliver
+Blustersquall
+Boa Constrictor
+Boarded Window
+Boarding Party
+Board the Weatherlight
+Boareskyr Tollkeeper
+Boartusk Liege
+Boar Umbra
+B.O.B. (Bevy of Beebles)
+Body Count
+Body Double
+Body Dropper
+Body Launderer
+Body of Jukai
+Body of Knowledge
+Body of Research
+Body Snatcher
+Bogardan Firefiend
+Bogardan Hellkite
+Bogardan Lancer
+Bogardan Phoenix
+Bogardan Rager
+Bog Badger
+Bogbrew Witch
+Bog Down
+Boggart Arsonists
+Boggart Birth Rite
+Boggart Bog
+Boggart Brute
+Boggart Harbinger
+Boggart Loggers
+Boggart Mob
+Boggart Ram-Gang
+Boggart Shenanigans
+Boggart Sprite-Chaser
+Boggart Trawler
+Bog Glider
+Bog Gnarr
+Bog Hoodlums
+Bog Imp
+Bog Raiders
+Bog Rats
+Bog Serpent
+Bog Smugglers
+Bogstomper
+Bog-Strider Ash
+Bog Tatters
+Bog Wraith
+Bog Wreckage
+Boil
+Boiling Blood
+Boiling Earth
+Boiling Seas
+Boing!
+Bojuka Bog
+Bojuka Brigand
+Bola Slinger
+Bolas's Citadel
+Bold Defense
+Bold Impaler
+Bold Plagiarist
+Boldwyr Heavyweights
+Boldwyr Intimidator
+Bolrac-Clan Basher
+Bolrac-Clan Crusher
+Bolt Hound
+Bolt of Keranos
+Boltwing Marauder
+Bomat Bazaar Barge
+Bomat Courier
+Bombadil's Song
+Bombard
+Bomber Corps
+Bomb Squad
+Bond Beetle
+Bonded Construct
+Bonded Fetch
+Bonded Herdbeast
+Bonded Horncrest
+Bonders' Enclave
+Bonder's Ornament
+Bond of Discipline
+Bond of Flourishing
+Bond of Insight
+Bond of Passion
+Bond of Revival
+Bonds of Faith
+Bonds of Quicksilver
+Bonebind Orator
+Bonebreaker Giant
+Bonecache Overseer
+Bonecaller Cleric
+Boneclad Necromancer
+Bonecrusher Giant
+Bone Dancer
+Bone Dragon
+Bone Harvest
+Bonehoard
+Bonehoard Dracosaur
+Boneknitter
+Bone Mask
+Bone Miser
+Bone Offering
+Bone Picker
+Bonepicker Skirge
+Bone Pit Brute
+Bone Rattler
+Bone Sabres
+Bone Saw
+Bonescythe Sliver
+Bone Shards
+Boneshard Slasher
+Bone Shredder
+Bone Splinters
+Bonesplitter
+Bonesplitter Sliver
+Bonethorn Valesk
+Bone to Ash
+Boneyard Aberration
+Boneyard Desecrator
+Boneyard Lurker
+Boneyard Mycodrax
+Boneyard Parley
+Boneyard Scourge
+Boneyard Wurm
+Bonfire of the Damned
+Bonny Pall, Clearcutter
+Bontu's Last Reckoning
+Bontu's Monument
+Bontu the Glorified
+Bonus Round
+Booby Trap
+Book Burning
+Book Devourer
+Book of Mazarbul
+Book of Rass
+Bookwurm
+Boom
+Boom Box
+Boomerang
+Boomer Scrapper
+Boompile
+Boon-Bringer Valkyrie
+Boon of Boseiju
+Boon of Emrakul
+Boon of Erebos
+Boon of Safety
+Boon of the Spirit Realm
+Boon of the Wish-Giver
+Boon Reflection
+Boon Satyr
+Boonweaver Giant
+Booster Tutor
+Bootleggers' Stash
+Boot Nipper
+Boots of Speed
+Borborygmos
+Borborygmos and Fblthp
+Borborygmos Enraged
+Border Guard
+Border Guardian
+Borderland Behemoth
+Borderland Explorer
+Borderland Marauder
+Borderland Minotaur
+Borderland Ranger
+Border Patrol
+Boreal Centaur
+Boreal Druid
+Boreal Elemental
+Boreal Griffin
+Boreal Outrider
+Boreal Shelf
+Boreas Charger
+Boris Devilboon
+Borne Upon a Wind
+Born to Drive
+Boromir, Gondor's Hope
+Boromir, Warden of the Tower
+Boros Challenger
+Boros Charm
+Boros Cluestone
+Boros Elite
+Boros Garrison
+Boros Guildgate
+Boros Guildmage
+Boros Keyrune
+Boros Locket
+Boros Mastiff
+Boros Reckoner
+Boros Recruit
+Boros Strike-Captain
+Boros Swiftblade
+Borrowed Grace
+Borrowed Hostility
+Borrowed Malevolence
+Borrowed Time
+Borrowing 100,000 Arrows
+Bortuk Bonerattle
+Boseiju Pathlighter
+Boseiju Reaches Skyward
+Boseiju, Who Endures
+Boseiju, Who Shelters All
+Bosk Banneret
+Boss's Chauffeur
+Botanical Brawler
+Botanical Plaza
+Botanical Sanctum
+Bother
+Bothersome Quasit
+Bottle-Cap Blast
+Bottled Cloister
+Bottle Gnomes
+Bottle Golems
+Bottle of Suleiman
+Bottomless Pit
+Boulderbranch Golem
+Boulderfall
+Boulderloft Pathway
+Boulder Rush
+Boulder Salvo
+Bounce Chamber
+Bouncer's Beatdown
+Bouncing Beebles
+Bound
+Boundary Lands Ranger
+Bound by Moonsilver
+Bounding Felidar
+Bounding Krasis
+Bound in Gold
+Bounding Wolf
+Bound in Silence
+Boundless Realms
+Bounteous Kirin
+Bountiful Harvest
+Bountiful Landscape
+Bountiful Promenade
+Bounty Agent
+Bounty Board
+Bounty Hunter
+Bounty of Might
+Bounty of Skemfar
+Bounty of the Deep
+Bounty of the Luxa
+Bovine Intervention
+Bower Passage
+Bowie Base One
+Bow of Nylea
+Bow to My Command
+Boxing Ring
+Box of Free-Range Goblins
+Brackish Blunder
+Brackish Trudge
+Brackwater Elemental
+Brago, King Eternal
+Brago's Favor
+Brago's Representative
+Braided Net
+Braided Quipu
+Braid of Fire
+Braids, Arisen Nightmare
+Braids, Cabal Minion
+Braids, Conjurer Adept
+Braids, Conjurer Adept Avatar
+Braids's Frightful Return
+Braidwood Cup
+Braidwood Sextant
+Brainbite
+Brain Freeze
+Braingeyser
+Brain Gorgers
+Brain in a Jar
+Brain Maggot
+Brainspoil
+Brainstealer Dragon
+Brainstone
+Brainstorm
+Brainsurge
+Brainwash
+Brallin, Skyshark Rider
+Bramble Armor
+Bramble Creeper
+Bramblecrush
+Bramble Elemental
+Bramble Familiar
+Bramblefort Fink
+Brambleguard Captain
+Brambleguard Veteran
+Bramblesnap
+Bramble Sovereign
+Brambleweft Behemoth
+Bramblewood Paragon
+Bramble Wurm
+Branchblight Stalker
+Branching Bolt
+Branching Evolution
+Branchloft Pathway
+Branch of Boseiju
+Branch of Vitu-Ghazi
+Branchsnap Lorian
+Branded Brawlers
+Branded Howler
+Brandywine Farmer
+Brash Taunter
+Brassclaw Orcs
+Brass Gnat
+Brass Herald
+Brass Knuckles
+Brass Man
+Brass's Bounty
+Brass Secretary
+Brass's Tunnel-Grinder
+Bravado
+Brave the Sands
+Brave the Wilds
+Brawl-Bash Ogre
+Brawler's Plate
+Brawn
+Brazen Blademaster
+Brazen Boarding
+Brazen Borrower
+Brazen Buccaneers
+Brazen Cannonade
+Brazen Collector
+Brazen Dwarf
+Brazen Freebooter
+Brazen Scourge
+Brazen Upstart
+Brazen Wolves
+Breach
+Breaching Hippocamp
+Breaching Leviathan
+Breach the Multiverse
+Break Asunder
+Break Down
+Breaker of Armies
+Breaker of Creation
+Break Expectations
+Breaking
+Breaking of the Fellowship
+Breaking Point
+Breakneck Berserker
+Breakneck Rider
+Break of Day
+Break Open
+Break Out
+Break the Ice
+Break the Spell
+Break Through the Line
+Break Ties
+Breathe Your Last
+Breathkeeper Seraph
+Breathless Knight
+Breath of Darigaaz
+Breath of Dreams
+Breath of Fire
+Breath of Life
+Breath of Malfegor
+Breath of the Sleepless
+Breathstealer
+Breathstealer's Crypt
+Breath Weapon
+Bred for the Hunt
+Breeches, Brazen Plunderer
+Breeches, Eager Pillager
+Breeches, the Blastmaker
+Breeding Pit
+Breeding Pool
+Breena, the Demagogue
+Breezekeeper
+Brenard, Ginger Sculptor
+Bretagard Stronghold
+Breya, Etherium Shaper
+Breya's Apprentice
+Briarberry Cohort
+Briarblade Adept
+Briarbridge Patrol
+Briarbridge Tracker
+Briarhorn
+Briar Hydra
+Bria, Riptide Rogue
+Briarknit Kami
+Briarpack Alpha
+Briar Patch
+Briar Shield
+Briber's Purse
+Bribery
+Bribe Taker
+Bride's Gown
+Bridge from Below
+Bridgeworks Battle
+Bridled Bighorn
+Brightblade Stoat
+Brightcap Badger
+Brightclimb Pathway
+Brighthearth Banneret
+Brightling
+Brightmare
+Bright-Palm, Soul Awakener
+Bright Reprisal
+Brightstone Ritual
+Brightwood Tracker
+Brigid, Hero of Kinsbaile
+Brilliant Halo
+Brilliant Plan
+Brilliant Restoration
+Brilliant Ultimatum
+Brimaz, Blight of Oreskos
+Brimaz, King of Oreskos
+Brimstone Dragon
+Brimstone Mage
+Brimstone Roundup
+Brimstone Trebuchet
+Brimstone Vandal
+Brimstone Volley
+Brindle Boar
+Brindle Shoat
+Brinebarrow Intruder
+Brineborn Cutthroat
+Brinebound Gift
+Brine Comber
+Brine Elemental
+Brine Giant
+Brine Hag
+Brinelin, the Moon Kraken
+Bring Back
+Bring Down
+Bringer of the Blue Dawn
+Bringer of the Green Dawn
+Bringer of the Last Gift
+Bringer of the Red Dawn
+Bringer of the White Dawn
+Bring Low
+Bring the Ending
+Bring to Life
+Bring to Trial
+Brink of Disaster
+Brink of Madness
+Brion Stoutarm
+Brisela, Voice of Nightmares
+Bristlebud Farmer
+Bristlepack Sentry
+Bristling Backwoods
+Bristling Boar
+Bristling Hydra
+Bristly Bill, Spine Sower
+Brittle Blast
+Brittle Effigy
+Broadside Bombardiers
+Broken Ambitions
+Broken Bond
+Broken Concentration
+Broken Dam
+Broken Fall
+Broken Visage
+Broken Wings
+Brokers Ascendancy
+Brokers Charm
+Brokers Confluence
+Brokers Hideout
+Brokers Initiate
+Brokers' Safeguard
+Brokers Veteran
+Brokkos, Apex of Forever
+Brontotherium
+Bronzebeak Foragers
+Bronzebeak Moa
+Bronze Bombshell
+Bronze Cudgels
+Bronze Guardian
+Bronzehide Lion
+Bronze Horse
+Bronzeplate Boar
+Bronze Sable
+Bronze Sword
+Bronze Walrus
+Brood Birthing
+Broodbirth Viper
+Brood Butcher
+Broodhatch Nantuko
+Broodhunter Wurm
+Brooding Saurian
+Brood Keeper
+Broodlord
+Broodmate Dragon
+Broodmate Tyrant
+Brood Monitor
+Brood of Cockroaches
+Broodrage Mycoid
+Brood Sliver
+Broodstar
+Broodwarden
+Brood Weaver
+Brotherhood Ambushers
+Brotherhood Headquarters
+Brotherhood Outcast
+Brotherhood Patriarch
+Brotherhood Regalia
+Brotherhood Scribe
+Brotherhood's End
+Brotherhood Spy
+Brotherhood Vertibird
+Brothers of Fire
+Brothers Yamazaki
+Brought Back
+Browbeat
+Brown Ouphe
+Brudiclad, Telchor Engineer
+Bruenor Battlehammer
+Bruna, Light of Alabaster
+Bruna, the Fading Light
+Bruse Tarl, Boorish Herder
+Bruse Tarl, Roving Rancher
+Brushfire Elemental
+Brushland
+Brushstrider
+Brushwagg
+Brush with Death
+Brutal Cathar
+Brutal Expulsion
+Brutal Hordechief
+Brutal Nightstalker
+Brutal Suppression
+Brute Force
+Brute Strength
+Brute Suit
+Bruvac the Grandiloquent
+Bubble Matrix
+Bubble Smuggler
+Bubble Snare
+Bubble Up
+Bubbling Beebles
+Bubbling Cauldron
+Buccaneer's Bravado
+Bucknard's Everfull Purse
+Bucolic Ranch
+Budoka Gardener
+Budoka Pupil
+Builder's Bane
+Builder's Blessing
+Builder's Talent
+Built to Last
+Built to Smash
+Bulette
+Bull Aurochs
+Bull Cerodon
+Bull Elephant
+Bull Hippo
+Bull Rush
+Bull-Rush Bruiser
+Bull's Strength
+Bullwhip
+Bulwark Giant
+Bumbleflower's Sharepot
+Bumbling Pangolin
+Bumper Cars
+Bump in the Night
+Buoyancy
+Burakos, Party Leader
+Burdened Aerialist
+Burden of Greed
+Burden of Proof
+Bureau Headmaster
+Burgeoning
+Burglar Rat
+Buried Alive
+Buried in the Garden
+Buried Ruin
+Buried Treasure
+Burlfist Oak
+Burly Breaker
+Burn
+Burn Away
+Burn Bright
+Burn Down the House
+Burn from Within
+Burning Anger
+Burning Earth
+Burning-Eye Zubera
+Burning Fields
+Burning-Fist Minotaur
+Burning Hands
+Burning Inquiry
+Burning of Xinye
+Burning Oil
+Burning Palm Efreet
+Burning Prophet
+Burning-Rune Demon
+Burning Sands
+Burning Shield Askari
+Burning Sun Cavalry
+Burning Sun's Avatar
+Burning Sun's Fury
+Burning-Tree Emissary
+Burning-Tree Shaman
+Burning-Tree Vandal
+Burning Vengeance
+Burning Wish
+Burning-Yard Trainer
+Burnished Dunestomper
+Burnished Hart
+Burnout
+Burn the Accursed
+Burn the Impure
+Burn Together
+Burn Trail
+Burnwillow Clearing
+Burrenton Bombardier
+Burrenton Forge-Tender
+Burrenton Shield-Bearers
+Burrog Befuddler
+Burrowguard Mentor
+Burrowing
+Burrowing Razormaw
+Burst Lightning
+Burst of Energy
+Burst of Strength
+Bury in Books
+Bushi Tenderfoot
+Bushmeat Poacher
+Bushwhack
+Bushy Bodyguard
+Bust
+Bustle
+Butch DeLoria, Tunnel Snake
+Butcher Ghoul
+Butcher of Malakir
+Butcher of the Horde
+Butcher's Cleaver
+Butcher's Glee
+Butterbur, Bree Innkeeper
+Buy Your Silence
+Buzzing Whack-a-Doodle
+By Elspeth's Command
+By Force
+Bygone Bishop
+Bygone Marvels
+By Invitation Only
+Byrke, Long Ear of the Law
+Byway Barterer
+Byway Courier
+Cabal Archon
+Cabal Conditioning
+Cabal Evangel
+Cabal Executioner
+Cabal Initiate
+Cabal Inquisitor
+Cabal Paladin
+Cabal Pit
+Cabal Ritual
+Cabal Shrine
+Cabal Slaver
+Cabal Stronghold
+Cabal Surgeon
+Cabal Torturer
+Cabal Trainee
+Cabaretti Ascendancy
+Cabaretti Charm
+Cabaretti Confluence
+Cabaretti Courtyard
+Cabaretti Initiate
+Cabaretti Revels
+Cached Defenses
+Cache Grab
+Cackling Counterpart
+Cackling Culprit
+Cackling Fiend
+Cackling Flames
+Cackling Imp
+Cackling Observer
+Cackling Witch
+Cacophodon
+Cacophony Scamp
+Cacophony Unleashed
+Cactarantula
+Cactusfolk Sureshot
+Cactus Preserve
+Cadaver Imp
+Cadaverous Knight
+Cadira, Caller of the Small
+Cadric, Soul Kindler
+Caduceus, Staff of Hermes
+Caesar, Legion's Emperor
+Caetus, Sea Tyrant of Segovia
+Caged Sun
+Caged Zombie
+Cage of Hands
+Cairn Wanderer
+Cait, Cage Brawler
+Calamitous Cave-In
+Calamitous Tide
+Calamity Bearer
+Calamity, Galloping Inferno
+Calamity of Cinders
+Calamity of the Titans
+Calamity's Wake
+Calciderm
+Calculated Dismissal
+Calculating Lich
+Caldaia Guardian
+Caldaia Strongarm
+Caldera Breaker
+Caldera Kavu
+Caldera Lake
+Calibrated Blast
+Caligo Skin-Witch
+Calim, Djinn Emperor
+Calix, Destiny's Hand
+Calix, Guided by Fate
+Call
+Callaphe, Beloved of the Sea
+Call a Surprise Witness
+Caller of Gales
+Caller of the Claw
+Caller of the Hunt
+Caller of the Pack
+Caller of the Untamed
+Call Forth the Tempest
+Call for Unity
+Call from the Grave
+Callidus Assassin
+Call In a Professional
+Call of the Conclave
+Call of the Death-Dweller
+Call of the Full Moon
+Call of the Herd
+Call of the Nightwing
+Call of the Ring
+Call of the Wild
+Callous Bloodmage
+Callous Dismissal
+Callous Giant
+Callous Sell-Sword
+Callow Jushi
+Call the Bloodline
+Call the Cavalry
+Call the Gatewatch
+Call the Scions
+Call the Skybreaker
+Call to Arms
+Call to Glory
+Call to Heel
+Call to Mind
+Call to Serve
+Call to the Feast
+Call to the Grave
+Call to the Kindred
+Call to the Netherworld
+Call to the Void
+Caltrops
+Camaraderie
+Camato Scout
+Camel
+Camellia, the Seedmiser
+C.A.M.P.
+Campaign of Vengeance
+Campfire
+Campus Guide
+Campus Renovation
+Canal Courier
+Canal Dredger
+Canal Monitor
+Cancel
+Candlegrove Witch
+Candlekeep Inspiration
+Candlekeep Sage
+Candlelight Vigil
+Candlelit Cavalry
+Candles' Glow
+Candles of Leng
+Candlestick
+Candletrap
+Candy Grapple
+Candy Trail
+Canker Abomination
+Cankerbloom
+Cankerous Thirst
+Canonized in Blood
+Canoptek Scarab Swarm
+Canoptek Spyder
+Canoptek Tomb Sentinel
+Canoptek Wraith
+Canopy Baloth
+Canopy Cover
+Canopy Crawler
+Canopy Dragon
+Canopy Gorger
+Canopy Spider
+Canopy Stalker
+Canopy Surge
+Canopy Tactician
+Canopy Vista
+Cantivore
+Can't Stay Away
+Can't Wake Up
+Canyon Crab
+Canyon Jerboa
+Canyon Lurkers
+Canyon Minotaur
+Canyon Slough
+Canyon Wildcat
+Cao Cao, Lord of Wei
+Cao Ren, Wei Commander
+Caparocti Sunborn
+Capashen Knight
+Capashen Standard
+Capashen Templar
+Capashen Unicorn
+Capenna Express
+Capital Punishment
+Caprichrome
+Capricious Efreet
+Capricious Hellraiser
+Capricious Sliver
+Capricious Sorcerer
+Capricopian
+Capsize
+Capsizing Wave
+Captain Eberhart
+Captain Lannery Storm
+Captain N'ghathrod
+Captain of the Watch
+Captain of Umbar
+Captain Rex Nebula
+Captain Ripley Vance
+Captain's Call
+Captain's Claws
+Captain's Hook
+Captain Sisay
+Captain Storm, Cosmium Raider
+Captain Vargus Wrath
+Captivating Cave
+Captivating Crew
+Captivating Crossroads
+Captivating Glance
+Captivating Gyre
+Captivating Unicorn
+Captivating Vampire
+Captive Audience
+Captive Flame
+Captive Weird
+Captured by Lagacs
+Captured by the Consulate
+Captured Sunlight
+Capture of Jingzhou
+Capture Sphere
+Carapace
+Carapace Forger
+Caravan Escort
+Caravan Hurda
+Caravan Vigil
+Carbonize
+Cardboard Carapace
+Careening Mine Cart
+Carefree Swinemaster
+Careful Consideration
+Careful Cultivation
+Careful Study
+Careless Celebrant
+Caress of Phyrexia
+Caretaker's Talent
+Caribou Range
+Carmen, Cruel Skymarcher
+Carnage
+Carnage Gladiator
+Carnage Interpreter
+Carnage Tyrant
+Carnage Wurm
+Carnassid
+Carnelian Orb of Dragonkind
+Carnifex Demon
+Carnival
+Carnival Hellsteed
+Carnival of Souls
+Carnivorous Canopy
+Carnivorous Moss-Beast
+Carnivorous Plant
+Carnophage
+Carrier Pigeons
+Carrier Thrall
+Carrion Ants
+Carrion Beetles
+Carrion Call
+Carrion Crow
+Carrionette
+Carrion Feeder
+Carrion Grub
+Carrion Howler
+Carrion Imp
+Carrion Locust
+Carrion Screecher
+Carrion Thrash
+Carrion Wall
+Carrion Wurm
+Carrot Cake
+Carry Away
+Carth the Lion
+Cartographer
+Cartographer's Companion
+Cartographer's Hawk
+Cartographer's Survey
+Cartouche of Ambition
+Cartouche of Knowledge
+Cartouche of Solidarity
+Cartouche of Strength
+Cartouche of Zeal
+Carven Caryatid
+Cascade Seer
+Cascading Cataracts
+Case File Auditor
+Case of the Burning Masks
+Case of the Crimson Pulse
+Case of the Filched Falcon
+Case of the Gateway Express
+Case of the Gorgon's Kiss
+Case of the Locked Hothouse
+Case of the Lost Witness
+Case of the Market Melee
+Case of the Pilfered Proof
+Case of the Ransacked Lab
+Case of the Shattered Pact
+Case of the Shifting Visage
+Case of the Stashed Skeleton
+Case of the Trampled Garden
+Case of the Uneaten Feast
+Case the Joint
+Cass, Hand of Vengeance
+Castaway's Despair
+Cast Down
+Castigate
+Casting of Bones
+Cast into Darkness
+Cast into the Fire
+Castle
+Castle Ardenvale
+Castle Embereth
+Castle Garenbrig
+Castle Locthwain
+Castle Raptors
+Castle Vantress
+Cast Off
+Cast Out
+Cast Through Time
+Casualties of War
+Cataclysmic Prospecting
+Catacomb Crocodile
+Catacomb Dragon
+Catacomb Sifter
+Catacomb Slug
+Catalog
+Catalyst Elemental
+Catalyst Stone
+Catapult Captain
+Catapult Fodder
+Catapult Master
+Catapult Squad
+Catastrophe
+Cat Burglar
+Catch
+Cateran Brute
+Cateran Enforcer
+Cateran Kidnappers
+Cateran Overlord
+Cateran Persuader
+Cateran Slaver
+Cateran Summons
+Caterwauling Boggart
+Cathar Commando
+Cathar's Call
+Cathar's Companion
+Cathars' Crusade
+Cathar's Shield
+Cathartic Adept
+Cathartic Operation
+Cathartic Pyre
+Cathartic Reunion
+Cathedral Acolyte
+Cathedral Membrane
+Cathedral of Serra
+Cathedral of War
+Cathedral Sanctifier
+Cathodion
+Catlike Curiosity
+Catti-brie of Mithral Hall
+Cat Warriors
+Caught in a Parallel Universe
+Caught in the Brights
+Caught in the Crossfire
+Caught Red-Handed
+Cauldron Dance
+Cauldron Familiar
+Cauldron Haze
+Cauldron's Gift
+Caustic Bronco
+Caustic Caterpillar
+Caustic Crawler
+Caustic Hound
+Caustic Rain
+Caustic Tar
+Caustic Wasps
+Cautery Sliver
+Cavalcade of Calamity
+Cavalier of Dawn
+Cavalier of Flame
+Cavalier of Gales
+Cavalier of Night
+Cavalier of Thorns
+Cavalry Drillmaster
+Cavalry Master
+Cavalry Pegasus
+Cave-In
+Cave of the Frost Dragon
+Cave People
+Cavern Crawler
+Cavern Harpy
+Cavern-Hoard Dragon
+Cavern Lampad
+Cavern of Souls
+Cavernous Maw
+Caverns of Despair
+Cavern Stomper
+Cavern Thoctar
+Cavern Whisperer
+Cave Sense
+Caves of Chaos Adventurer
+Caves of Koilos
+Cave Tiger
+Cayth, Famed Mechanist
+Cazur, Ruthless Stalker
+Cease
+Cease-Fire
+Ceaseless Searblades
+Celeborn the Wise
+Celebr-8000
+Celebrate the Harvest
+Celebrity Fencer
+Celestial Ancient
+Celestial Archon
+Celestial Colonnade
+Celestial Crusader
+Celestial Dawn
+Celestial Enforcer
+Celestial Flare
+Celestial Force
+Celestial Gatekeeper
+Celestial Judgment
+Celestial Mantle
+Celestial Messenger
+Celestial Purge
+Celestial Regulator
+Celestial Sword
+Celestial Unicorn
+Celestial Vault
+Celestine Cave Witch
+Celestine Reef
+Celestine, the Living Saint
+Celestus Sanctifier
+Cellar Door
+Cement Shoes
+Cemetery Desecrator
+Cemetery Gate
+Cemetery Gatekeeper
+Cemetery Illuminator
+Cemetery Protector
+Cemetery Prowler
+Cemetery Reaper
+Cemetery Recruitment
+Cemetery Tampering
+Cenn's Enlistment
+Cenn's Heir
+Cenn's Tactician
+Cenote Scout
+Censor
+Centaur Archer
+Centaur Battlemaster
+Centaur Chieftain
+Centaur Courser
+Centaur Garden
+Centaur Glade
+Centaur Healer
+Centaur Nurturer
+Centaur of Attention
+Centaur Omenreader
+Centaur Peacemaker
+Centaur Rootcaster
+Centaur Safeguard
+Centaur's Herald
+Centaur Veteran
+Centaur Vinecrasher
+Center Soul
+Cephalid Aristocrat
+Cephalid Coliseum
+Cephalid Constable
+Cephalid Facetaker
+Cephalid Inkshrouder
+Cephalid Looter
+Cephalid Pathmage
+Cephalid Retainer
+Cephalid Sage
+Cephalid Scout
+Cephalid Shrine
+Cephalid Vandal
+Cephalopod Sentry
+Cerebral Confiscation
+Cerebral Eruption
+Ceremonial Groundbreaker
+Ceremonial Guard
+Ceremonial Knife
+Ceremonious Rejection
+Cerise, Slayer of Fear
+Cerodon Yearling
+Certain Death
+Cerulean Drake
+Cerulean Sphinx
+Cerulean Wyvern
+Cessation
+Ceta Sanctuary
+Cetavolver
+Chain Assassination
+Chainbreaker
+Chain Devil
+Chained Brute
+Chained Throatseeker
+Chained to the Rocks
+Chainer, Dementia Master
+Chainer's Edict
+Chainer's Torment
+Chainflail Centipede
+Chainflinger
+Chain Lightning
+Chain of Acid
+Chain of Plasma
+Chain of Silence
+Chain of Smog
+Chain of Vapor
+Chain Reaction
+Chainsaw
+Chains of Custody
+Chains of Mephistopheles
+Chain to Memory
+Chainweb Aracnir
+Chainwhip Cyclops
+Chakram Retriever
+Chakram Slinger
+Chalice of Death
+Chalice of Life
+Chalice of the Void
+Chalk Outline
+Challenger Troll
+Chambered Nautilus
+Chamber Sentry
+Chameleon Blur
+Chameleon Colossus
+Chameleon Spirit
+Champion Lancer
+Champion of Arashin
+Champion of Dusk
+Champion of Lambholt
+Champion of Rhonas
+Champion of the Flame
+Champion of the Parish
+Champion of the Perished
+Champion of Wits
+Champion's Drake
+Champion's Helm
+Champions of Minas Tirith
+Champions of Tyr
+Champion's Victory
+Chance
+Chance Encounter
+Chance for Glory
+Chancellor of Tales
+Chancellor of the Annex
+Chancellor of the Dross
+Chancellor of the Forge
+Chancellor of the Spires
+Chancellor of the Tangle
+Chance-Met Elves
+Chandler
+Chandra, Acolyte of Flame
+Chandra, Awakened Inferno
+Chandra, Bold Pyromancer
+Chandra, Dressed to Kill
+Chandra, Fire Artisan
+Chandra, Fire of Kaladesh
+Chandra, Flamecaller
+Chandra, Flame's Catalyst
+Chandra, Flame's Fury
+Chandra, Gremlin Wrangler
+Chandra, Heart of Fire
+Chandra, Hope's Beacon
+Chandra, Legacy of Fire
+Chandra Nalaar
+Chandra, Novice Pyromancer
+Chandra, Pyrogenius
+Chandra, Roaring Flame
+Chandra's Defeat
+Chandra's Embercat
+Chandra's Firemaw
+Chandra's Flame Wave
+Chandra's Fury
+Chandra's Ignition
+Chandra's Incinerator
+Chandra's Magmutt
+Chandra's Outburst
+Chandra's Outrage
+Chandra's Phoenix
+Chandra's Pyreling
+Chandra's Pyrohelix
+Chandra's Regulator
+Chandra's Revolution
+Chandra's Spitfire
+Chandra's Triumph
+Chandra, the Firebrand
+Chandra, Torch of Defiance
+Changeling Berserker
+Changeling Hero
+Changeling Outcast
+Changeling Sentinel
+Changeling Titan
+Change of Fortune
+Change of Heart
+Change of Plans
+Change the Equation
+Channeled Force
+Channeler Initiate
+Channel Harm
+Chant of the Skifsang
+Chant of Vitu-Ghazi
+Chaos
+Chaos Balor
+Chaos Channeler
+Chaos Charm
+Chaos Defiler
+Chaos Dragon
+Chaos Imps
+Chaos Maw
+Chaos Mutation
+Chaos Orb
+Chaosphere
+Chaos Terminator Lord
+Chaos Wand
+Chaos Warp
+Chaotic Aether
+Chaotic Backlash
+Chaotic Goo
+Chaotic Strike
+Chaotic Transformation
+Chapel Geist
+Chapel Shieldgeist
+Chaplain of Alms
+Chaplain's Blessing
+Char
+Charcoal Diamond
+Chardalyn Dragon
+Charforger
+Charge
+Charge of the Mites
+Charge Through
+Charging Badger
+Charging Bandits
+Charging Binox
+Charging Cinderhorn
+Charging Griffin
+Charging Hooligan
+Charging Monstrosaur
+Charging Paladin
+Charging Rhino
+Charging Slateback
+Charging Troll
+Charging Tuskodon
+Charging War Boar
+Chariot of Victory
+Charisma
+Charisma Bobblehead
+Charismatic Conqueror
+Charismatic Vanguard
+Charitable Levy
+Charity Extractor
+Charix, the Raging Isle
+Charmbreaker Devils
+Charmed Clothier
+Charmed Griffin
+Charmed Pendant
+Charmed Sleep
+Charmed Stray
+Charming Prince
+Charming Scoundrel
+Charnelhoard Wurm
+Charnel Serenade
+Charnel Troll
+Charred Graverobber
+Char-Rumbler
+Chart a Course
+Chartooth Cougar
+Chasm Drake
+Chasm Guide
+Chasm Skulker
+Chastise
+Chatterfang, Squirrel General
+Chatter of the Squirrel
+Chatterstorm
+Check for Traps
+Checkpoint Officer
+Cheeky House-Mouse
+Chef's Kiss
+Chemister's Insight
+Chemister's Trick
+Cherished Hatchling
+Chevill, Bane of Monsters
+Chicken à la King
+Chicken Egg
+Chief Engineer
+Chief Jim Hopper
+Chief of the Edge
+Chief of the Foundry
+Chief of the Scale
+Chieftain en-Dal
+Childhood Horror
+Child of Alara
+Child of Gaea
+Child of Night
+Child of the Pack
+Child of the Volcano
+Child of Thorns
+Children of Korlis
+Chill
+Chillbringer
+Chillerpillar
+Chilling Apparition
+Chilling Chronicle
+Chilling Grasp
+Chilling Shade
+Chilling Trap
+Chill of Foreboding
+Chill of the Grave
+Chill to the Bone
+Chime of Night
+Chimeric Egg
+Chimeric Mass
+Chimeric Sphere
+Chimil, the Inner Sun
+Chimney Goyf
+Chimney Imp
+Chimney Rabble
+Chisei, Heart of Oceans
+Chishiro, the Shattered Blade
+Chiss-Goria, Forge Tyrant
+Chitinous Cloak
+Chitinous Crawler
+Chittering Dispatcher
+Chittering Doom
+Chittering Harvester
+Chittering Host
+Chittering Rats
+Chittering Skitterling
+Chittering Witch
+Chitterspitter
+Chivalric Alliance
+Chlorophant
+Cho-Arrim Alchemist
+Cho-Arrim Bruiser
+Cho-Arrim Legate
+Choice of Fortunes
+Choke
+Choked Estuary
+Choking Fumes
+Choking Miasma
+Choking Restraints
+Choking Sands
+Choking Tethers
+Choking Vines
+Cho-Manno, Revolutionary
+Cho-Manno's Blessing
+Chomping Kavu
+Choose Your Champion
+Choose Your Demise
+Choose Your Weapon
+Chop Down
+Chord of Calling
+Chorus of Might
+Chorus of the Conclave
+Chorus of the Tides
+Chorus of Woe
+Chosen by Heliod
+Chosen of Markov
+Chromanticore
+Chromatic Lantern
+Chromatic Orrery
+Chrome Cat
+Chrome Courier
+Chrome Host Hulk
+Chrome Host Seedshark
+Chrome Mox
+Chrome Prowler
+Chrome Replicator
+Chromescale Drake
+Chrome Steed
+Chromium
+Chromium, the Mutable
+Chronatog Totem
+Chronic Flooding
+Chronicler of Heroes
+Chronicler of Worship
+Chronomancer
+Chronomantic Escape
+Chronomaton
+Chronosavant
+Chronostutter
+Chronozoa
+Chthonian Nightmare
+Chub Toad
+Chulane, Teller of Tales
+Chun-Li, Countless Kicks
+Chupacabra Echo
+Churning Eddy
+Churning Reservoir
+Cinder Barrens
+Cinderbones
+Cinderclasm
+Cinder Cloud
+Cinder Crawler
+Cinder Elemental
+Cinder Giant
+Cinder Glade
+Cinderheart Giant
+Cinder Hellion
+Cindering Cutthroat
+Cinder Marsh
+Cinder Pyromancer
+Cinder Shade
+Cinderslash Ravager
+Cinder Storm
+Cindervines
+Cinder Wall
+Cipherbound Spirit
+Circle of Affliction
+Circle of Confinement
+Circle of Dreams Druid
+Circle of Elders
+Circle of Flame
+Circle of Protection: Artifacts
+Circle of Protection: Black
+Circle of Protection: Blue
+Circle of Protection: Green
+Circle of Protection: Red
+Circle of Protection: Shadow
+Circle of Protection: White
+Circle of Solace
+Circle of the Land Druid
+Circle of the Moon Druid
+Circu, Dimir Lobotomist
+Circuit Mender
+Circuitous Route
+Circuits Act
+Circular Logic
+Círdan the Shipwright
+Cirith Ungol Patrol
+Citadel Castellan
+Citadel Gate
+Citadel of Pain
+Citadel Siege
+Citanul Centaurs
+Citanul Druid
+Citanul Hierophants
+Citanul Stalwart
+Citanul Woodreaders
+Citizen's Arrest
+Citizen's Crowbar
+City of Brass
+City of Death
+City of Solitude
+City of the Daleks
+City on Fire
+Cityscape Leveler
+Citystalker Connoisseur
+Citywatch Sphinx
+Citywide Bust
+Civic Gardener
+Civic Saber
+Civic Stalwart
+Civic Wayfinder
+Civil Servant
+Clackbridge Troll
+Claim
+Claim Jumper
+Claim of Erebos
+Claim the Firstborn
+Claim the Precious
+Clamavus
+Clambassadors
+Clamor Shaman
+Clan Crafter
+Clan Defiance
+Clandestine Meddler
+Clan Guildmage
+Clara Oswald
+Clarion Cathars
+Clarion Spirit
+Clarion Ultimatum
+Clash of Realities
+Clash of Titans
+Clash of Wills
+Clattering Augur
+Clattering Skeletons
+Claustrophobia
+Clavileño, First of the Blessed
+Clawing Torment
+Claws of Valakut
+Claws of Wirewood
+Clay Champion
+Clay-Fired Bricks
+Clay Golem
+Clay Revenant
+Clay Statue
+Cleanfall
+Cleanse
+Cleansing Meditation
+Cleansing Nova
+Cleansing Ray
+Cleansing Screech
+Cleansing Wildfire
+Cleanup Crew
+Clear
+Clear a Path
+Clear Shot
+Clear the Land
+Clear the Mind
+Clear the Stage
+Clearwater Goblet
+Clearwater Pathway
+Cleaver Riot
+Cleaver Skaab
+Cleave Shadows
+Cleaving Reaper
+Cleaving Skyrider
+Cleaving Sliver
+Clement, the Worrywort
+Cleopatra, Exiled Pharaoh
+Clergy en-Vec
+Clergy of the Holy Nimbus
+Cleric Class
+Cleric of Chill Depths
+Cleric of Life's Bond
+Cleric of the Forward Order
+Clever Concealment
+Clever Conjurer
+Clever Distraction
+Clever Impersonator
+Clever Lumimancer
+Clickslither
+Cliffgate
+Cliffhaven Kitesail
+Cliffhaven Sell-Sword
+Cliffhaven Vampire
+Cliffrunner Behemoth
+Cliffside Lookout
+Cliffside Rescuer
+Cliff Threader
+Clifftop Lookout
+Clifftop Retreat
+Clinging Anemones
+Clinging Darkness
+Clinging Mists
+Cling to Dust
+Clip Wings
+Cloak and Dagger
+Cloaked Cadet
+Cloaked Siren
+Cloak of Feathers
+Cloak of Invisibility
+Cloak of Mists
+Cloak of the Bat
+Cloakwood Hermit
+Cloakwood Swarmkeeper
+Clockspinning
+Clockwork Avian
+Clockwork Beast
+Clockwork Beetle
+Clockwork Condor
+Clockwork Dragon
+Clockwork Drawbridge
+Clockwork Droid
+Clockwork Fox
+Clockwork Gnomes
+Clockwork Hydra
+Clockwork Servant
+Clockwork Steed
+Clockwork Swarm
+Clockwork Vorrac
+Cloistered Youth
+Cloister Gargoyle
+Clone
+Clone Crafter
+Clone Legion
+Clone Shell
+Close Quarters
+Closing Statement
+Clot Sliver
+Cloudblazer
+Cloudchaser Eagle
+Cloudchaser Kestrel
+Cloud Cover
+Cloudcrest Lake
+Cloudcrown Oak
+Cloud Crusader
+Cloud Djinn
+Cloud Dragon
+Cloud Elemental
+Cloudfin Raptor
+Cloudform
+Cloudgoat Ranger
+Cloudheath Drake
+Cloudhoof Kirin
+Cloud Key
+Cloudkill
+Cloudkin Seer
+Cloud Manta
+Cloud of Faeries
+Cloudpiercer
+Cloud Pirates
+Cloudpost
+Cloudreach Cavalry
+Cloudreader Sphinx
+Cloudseeder
+Cloudshift
+Cloudshredder Sliver
+Cloudskate
+Cloud Spirit
+Cloud Sprite
+Cloudsteel Kirin
+Cloudstone Curio
+Cloudthresher
+Clout of the Dominus
+Cloven Casting
+Clown Car
+Clown Extruder
+Clowning Around
+Clutch of Currents
+Clutch of the Undercity
+Clutch of Undeath
+Coalborn Entity
+Coal Golem
+Coal Hill School
+Coalition Construct
+Coalition Flag
+Coalition Honor Guard
+Coalition Relic
+Coalition Skyknight
+Coalition Victory
+Coalition Warbrute
+Coal Stoker
+Coastal Breach
+Coastal Bulwark
+Coastal Discovery
+Coastal Drake
+Coastal Hornclaw
+Coastal Piracy
+Coastal Tower
+Coastline Chimera
+Coastline Marauders
+Coast Watcher
+Coati Scavenger
+Coat of Arms
+Coat with Venom
+Coax from the Blind Eternities
+Cobalt Golem
+Cobblebrute
+Cobbled Lancer
+Cobbled Wings
+Cobra Trap
+Cockatrice
+Cocoon
+Code of Constraint
+Codespell Cleric
+Codex Shredder
+Codie, Vociferous Codex
+Codsworth, Handy Helper
+Coerced Confession
+Coerced to Kill
+Coercion
+Coercive Portal
+Coercive Recruiter
+Coffin Purge
+Coffin Queen
+Cognivore
+Cogwork Archivist
+Cogwork Assembler
+Cogworker's Puzzleknot
+Cogwork Grinder
+Cogwork Librarian
+Cogwork Progenitor
+Cogwork Spy
+Cogwork Tracker
+Cogwork Wrestler
+Coiled Tinviper
+Coiling Oracle
+Coiling Rebirth
+Coiling Stalker
+Coiling Woodworm
+Coils of the Medusa
+Cold Case Cracker
+Cold-Eyed Selkie
+Cold Snap
+Coldsteel Heart
+Cold-Water Snapper
+Colfenor's Urn
+Colfenor, the Last Yew
+Collapsing Borders
+Collar the Culprit
+Collateral Damage
+Collected Company
+Collected Conjuring
+Collective Blessing
+Collective Brutality
+Collective Defiance
+Collective Effort
+Collective Nightmare
+Collective Resistance
+Collective Restraint
+Collective Unconscious
+Collector Ouphe
+Collector's Cage
+Collector's Vault
+Collision
+Collision of Realms
+Colonel Autumn
+Colorful Feiyi Sparrow
+Colossadactyl
+Colossal Badger
+Colossal Chorus
+Colossal Dreadmask
+Colossal Dreadmaw
+Colossal Growth
+Colossal Heroics
+Colossal Majesty
+Colossal Might
+Colossal Plow
+Colossal Rattlewurm
+Colossal Skyturtle
+Colossal Whale
+Colossapede
+Colossification
+Colossodon Yearling
+Colossus
+Colossus Hammer
+Colossus of Akros
+Colossus of Sardia
+Colos Yearling
+Coma Veil
+Combat Calligrapher
+Combat Celebrant
+Combat Courier
+Combat Medic
+Combat Professor
+Combat Research
+Combat Thresher
+Combine Chrysalis
+Combine Guildmage
+Combo Attack
+Combust
+Combustible Gearhulk
+Come Back Wrong
+Comet, Stellar Pup
+Comet Storm
+Comeuppance
+Coming Attraction
+Coming In Hot
+Commander Eesha
+Commander Greven il-Vec
+Commander Liara Portyr
+Commander Mustard
+Commander's Authority
+Commander's Insight
+Commander's Insignia
+Commander Sofia Daguerre
+Commander's Plate
+Commanding Presence
+Command of Unsummoning
+Commando Raid
+Command the Chaff
+Command the Storm
+Command Tower
+Commencement of Festivities
+Commence the Endgame
+Commercial District
+Commissar Severina Raine
+Commit
+Commodore Guff
+Common Bond
+Common Cause
+Common Iguana
+Communal Brewing
+Commune with Dinosaurs
+Commune with Nature
+Commune with Spirits
+Commune with the Gods
+Companion of the Trials
+Company Commander
+Comparative Analysis
+Compass Gnome
+Compelled Duel
+Compelling Argument
+Compelling Deterrence
+Complaints Clerk
+Compleat Devotion
+Compleated Conjurer
+Compleated Huntmaster
+Complete Disregard
+Complete the Circuit
+Complicate
+Comply
+Component Collector
+Component Pouch
+Composer of Spring
+Compost
+Compound Fracture
+Compulsive Research
+Compulsory Rest
+Compy Swarm
+Concealed Courtyard
+Concealed Weapon
+Concealing Curtains
+Conceited Witch
+Concentrate
+Concerted Defense
+Concerted Effort
+Concert Kaboomist
+Concession Stand
+Conch Horn
+Conclave Cavalier
+Conclave Equenaut
+Conclave Evangelist
+Conclave Guildmage
+Conclave Mentor
+Conclave Naturalists
+Conclave Phalanx
+Conclave's Blessing
+Conclave Sledge-Captain
+Conclave Tribunal
+Concoct
+Concordant Crossroads
+Concordia Pegasus
+Concord with the Kami
+Concussive Bolt
+Condemn
+Condescend
+Conduct Electricity
+Conductive Current
+Conductor of Cacophony
+Conduit Goblin
+Conduit of Emrakul
+Conduit of Ruin
+Conduit of Storms
+Conduit of Worlds
+Conduit Pylons
+Cone of Cold
+Cone of Flame
+Confession Dial
+Confessor
+Confidence from Strength
+Confirm Suspicions
+Confiscate
+Conflagrate
+Conflux
+Confound
+Confounding Conundrum
+Confounding Riddle
+Confront the Assault
+Confront the Past
+Confront the Unknown
+Confusion in the Ranks
+Congregate
+Congregation at Dawn
+Congregation Gryff
+Conifer Strider
+Conifer Wurm
+Conjurer's Ban
+Conjurer's Bauble
+Conjurer's Mantle
+Connecting the Dots
+Connive
+Conquer
+Conquering Manticore
+Conqueror's Flail
+Conqueror's Foothold
+Conqueror's Galleon
+Conqueror's Pledge
+Conscripted Infantry
+Consecrate
+Consecrated by Blood
+Consecrated Sphinx
+Consecrate Land
+Conservator
+Conservatory
+Consider
+Consign
+Consign to Dust
+Consign to Memory
+Consign to the Pit
+Conspicuous Snoop
+Conspiracy Theorist
+Conspiracy Unraveler
+Constable of the Realm
+Constant Mists
+Constricting Sliver
+Constricting Tendrils
+Construction Arsonist
+Consulate Crackdown
+Consulate Dreadnought
+Consulate Skygate
+Consulate Surveillance
+Consulate Turret
+Consul's Lieutenant
+Consul's Shieldguard
+Consult the Necrosages
+Consume
+Consumed by Greed
+Consume Spirit
+Consume Strength
+Consume the Meek
+Consuming Aberration
+Consuming Aetherborn
+Consuming Ashes
+Consuming Blob
+Consuming Bonfire
+Consuming Corruption
+Consuming Fervor
+Consuming Oni
+Consuming Sepulcher
+Consuming Sinkhole
+Consuming Tide
+Consuming Vapors
+Consuming Vortex
+Consumptive Goo
+Contact Other Plane
+Contagion Clasp
+Contagion Dispenser
+Contagion Engine
+Contagious Nim
+Contagious Vorrac
+Containment Breach
+Containment Construct
+Containment Membrane
+Containment Priest
+Contaminant Grafter
+Contaminated Aquifer
+Contaminated Bond
+Contaminated Drink
+Contaminated Ground
+Contaminated Landscape
+Contemplation
+Contempt
+Contentious Plan
+Contested Game Ball
+Contested War Zone
+Contest of Claws
+Contortionist Troupe
+Contraband Kingpin
+Contract Killing
+Contractual Safeguard
+Contradict
+Controlled Instincts
+Control Magic
+Control of the Court
+Control Win Condition
+Controvert
+Conundrum Sphinx
+Convalescence
+Convalescent Care
+Convenient Target
+Convergence of Dominion
+Conversion
+Conversion Apparatus
+Conversion Chamber
+Converter Beast
+Convicted Killer
+Conviction
+Convolute
+Cooped Up
+Coordinated Assault
+Coordinated Charge
+Copper Carapace
+Coppercoat Vanguard
+Copper Gnomes
+Copperhorn Scout
+Copper Host Crusher
+Copperline Gorge
+Copper Longlegs
+Copper Myr
+Copper Tablet
+Copy Artifact
+Copy Catchers
+Copycrook
+Copy Land
+Coral Atoll
+Coral Barrier
+Coral Colony
+Coral Commando
+Coral Eel
+Coralhelm Chronicler
+Coralhelm Commander
+Coralhelm Guide
+Coral Merfolk
+Coral Net
+Coram, the Undertaker
+Cordial Vampire
+Core Prowler
+Cormela, Glamour Thief
+Cornered Crook
+Cornered Market
+Coronation of Chaos
+Corporeal Projection
+Corpse Appraiser
+Corpseberry Cultivator
+Corpse Churn
+Corpse Cobble
+Corpse Connoisseur
+Corpse Cur
+Corpse Dance
+Corpse Explosion
+Corpse Harvester
+Corpsehatch
+Corpse Hauler
+Corpsejack Menace
+Corpse Knight
+Corpses of the Lost
+Corpulent Corpse
+Corridor Monitor
+Corrosion
+Corrosive Gale
+Corrosive Mentor
+Corrosive Ooze
+Corrupt
+Corrupt Court Official
+Corrupted Conscience
+Corrupted Conviction
+Corrupted Crossroads
+Corrupted Harvester
+Corrupted Key
+Corrupted Resolve
+Corrupted Roots
+Corrupted Shapeshifter
+Corrupted Zendikon
+Corrupt Eunuchs
+Corruption of Towashi
+Corrupt Official
+Corsair Captain
+Corsairs of Umbar
+Coruscation Mage
+Cosima, God of the Voyage
+Cosi's Ravager
+Cosi's Trickster
+Cosmic Epiphany
+Cosmic Horror
+Cosmic Hunger
+Cosmic Intervention
+Cosmic Rebirth
+Cosmium Blast
+Cosmium Confluence
+Cosmium Kiln
+Cosmos Charger
+Cosmos Elixir
+Cosmotronic Wave
+Costly Plunder
+Council Guardian
+Council of Advisors
+Council of Echoes
+Council of the Absolute
+Council's Deliberation
+Council's Judgment
+Counsel of the Soratami
+Counterbalance
+Counterbore
+Counterflux
+Counterintelligence
+Counterlash
+Countermand
+Counterpoint
+Counterspell
+Countersquall
+Countervailing Winds
+Countless Gears Renegade
+Countryside Crusher
+Courage in Crisis
+Courageous Outrider
+Courageous Resolve
+Courier Bat
+Courier Griffin
+Courier Hawk
+Courier's Briefcase
+Courier's Capsule
+Courser of Kruphix
+Coursers' Accord
+Court Archers
+Court Cleric
+Court Homunculus
+Court Hussar
+Court of Ambition
+Court of Ardenvale
+Court of Bounty
+Court of Cunning
+Court of Embereth
+Court of Garenbrig
+Court of Grace
+Court of Ire
+Court of Locthwain
+Court of Vantress
+Court Street Denizen
+Covenant of Blood
+Covenant of Minds
+Cover of Darkness
+Cover of Winter
+Covert Cutpurse
+Covert Operative
+Covert Technician
+Coveted Falcon
+Coveted Jewel
+Coveted Peacock
+Coveted Prize
+Covetous Castaway
+Covetous Dragon
+Covetous Geist
+Coward
+Cowardice
+Cowed by Wisdom
+Cower in Fear
+Cowl Prowler
+Crabapple Cohort
+Crabomination
+Crab Umbra
+Crackdown
+Crackdown Construct
+Crack in Time
+Crackleburr
+Crackle with Power
+Crackling Club
+Crackling Doom
+Crackling Drake
+Crackling Emergence
+Crackling Falls
+Crackling Perimeter
+Crackling Spellslinger
+Crackling Triton
+Crack Open
+Crack the Earth
+Cradle Clearcutter
+Cradle Guard
+Cradle of Safety
+Cradle of the Accursed
+Cradle of Vitality
+Cradle to Grave
+Crafty Cutpurse
+Crafty Pathmage
+Cragcrown Pathway
+Cragganwick Cremator
+Cragplate Baloth
+Crag Saurian
+Cragsmasher Yeti
+Craig Boone, Novac Guard
+Cram Session
+Cranial Extraction
+Cranial Plating
+Cranial Ram
+Crash
+Crashing Boars
+Crashing Centaur
+Crashing Drawbridge
+Crashing Footfalls
+Crashing Tide
+Crash Landing
+Crash of Rhino Beetles
+Crash of Rhinos
+Crash the Party
+Crash the Ramparts
+Crash Through
+Crater Hellion
+Craterhoof Behemoth
+Craterize
+Crater's Claws
+Craven Giant
+Craven Hulk
+Craven Knight
+Craving of Yeenoghu
+Craw Giant
+Crawl from the Cellar
+Crawling Barrens
+Crawling Chorus
+Crawling Filth
+Crawling Infestation
+Crawling Sensation
+Crawlspace
+Craw Wurm
+Crazed Firecat
+Crazed Goblin
+Crazed Skirge
+Creakwood Ghoul
+Creakwood Liege
+Creative Outburst
+Creative Technique
+Creature Bond
+Creeperhulk
+Creeping Bloodsucker
+Creeping Chill
+Creeping Corrosion
+Creeping Dread
+Creeping Inn
+Creeping Mold
+Creeping Tar Pit
+Creeping Trailblazer
+Creepy Doll
+Creepy Puppeteer
+Cremate
+Crenellated Wall
+Creosote Heath
+Crescendo of War
+Crested Herdcaller
+Crested Sunmare
+Cresting Mosasaurus
+Crevasse
+Crew Captain
+Crib Swap
+Crime
+Crime Novelist
+Crimestopper Sprite
+Criminal Past
+Crimson Acolyte
+Crimson Caravaneer
+Crimson Fleet Commodore
+Crimson Hellkite
+Crimson Honor Guard
+Crimson Kobolds
+Crimson Mage
+Crimson Manticore
+Crimson Muckwader
+Crimson Roc
+Crimson Wisps
+Crippling Blight
+Crippling Chill
+Crippling Fatigue
+Crippling Fear
+Crisis of Conscience
+Critical Hit
+Croaking Counterpart
+Croaking Curse
+Crocanura
+Crocodile of the Crossing
+Cromat
+Crookclaw Elder
+Crooked Custodian
+Crooked Scales
+Crook of Condemnation
+Crookshank Kobolds
+Crop Rotation
+Crop Sigil
+Crosis's Catacombs
+Crosis's Charm
+Crosis, the Purger
+Crossbow Infantry
+Crossroads Candleguide
+Crossroads Consecrator
+Crosstown Courier
+Crossway Troublemakers
+Crossway Vampire
+Crosswinds
+Crovax
+Crovax, Ascendant Hero
+Crowd-Control Warden
+Crowded Crypt
+Crowd Favorites
+Crowd of Cinders
+Crowd's Favor
+Crowned Ceratok
+Crown-Hunter Hireling
+Crown of Empires
+Crown of Flames
+Crown of Gondor
+Crown of Skemfar
+Crow of Dark Tidings
+Crow Storm
+Crucias, Titan of the Waves
+Crucible of Fire
+Crucible of Worlds
+Crude Rampart
+Cruel Bargain
+Cruel Celebrant
+Cruelclaw's Heist
+Cruel Cut
+Cruel Edict
+Cruel Feeding
+Cruel Finality
+Cruel Grimnarch
+Cruel Reality
+Cruel Revival
+Cruel Somnophage
+Cruel Tutor
+Cruel Ultimatum
+Cruel Witness
+Crumb and Get It
+Crumble
+Crumble to Dust
+Crumbling Ashes
+Crumbling Colossus
+Crumbling Necropolis
+Crumbling Sanctuary
+Crumbling Vestige
+Crusade
+Crusader of Odric
+Crusading Knight
+Crush
+Crush Contraband
+Crush Dissent
+Crusher Zendikon
+Crushing Canopy
+Crushing Disappointment
+Crushing Pain
+Crushing Vines
+Crush of Wurms
+Crush the Weak
+Crush Underfoot
+Crux of Fate
+Cryoclasm
+Cry of Contrition
+Cry of the Carnarium
+Crypsis
+Crypt Angel
+Cryptborn Horror
+Cryptbreaker
+Crypt Champion
+Crypt Cobra
+Cryptek
+Cryptex
+Crypt Ghast
+Cryptic Annelid
+Cryptic Caves
+Cryptic Coat
+Cryptic Command
+Cryptic Cruiser
+Cryptic Pursuit
+Cryptic Serpent
+Cryptic Spires
+Cryptic Trilobite
+Crypt Incursion
+Crypt Lurker
+Crypt of the Eternals
+Cryptolith Fragment
+Cryptolith Rite
+Cryptoplasm
+Cryptothrall
+Crypt Rats
+Crypt Ripper
+Crypt Sliver
+Cryptwailing
+Crystacean
+Crystal Ball
+Crystal Carapace
+Crystal Chimes
+Crystal Dragon
+Crystal Golem
+Crystal Grotto
+Crystalline Crawler
+Crystalline Giant
+Crystalline Nautilus
+Crystalline Resonance
+Crystalline Sliver
+Crystallization
+Crystal Rod
+Crystal Seer
+Crystal Skull, Isu Spyglass
+Crystal Slipper
+Cubwarden
+Cudgel Troll
+Culling Drone
+Culling Ritual
+Culling Sun
+Culmination of Studies
+Cultbrand Cinder
+Cult Conscript
+Cult Guildmage
+Cultist of the Absolute
+Cultist's Staff
+Cultivate
+Cultivator Colossus
+Cultivator Drone
+Cultivator of Blades
+Cultivator's Caravan
+Cult of Skaro
+Cult of the Waxing Moon
+Culvert Ambusher
+Cumber Stone
+Cunning
+Cunning Advisor
+Cunning Bandit
+Cunning Breezedancer
+Cunning Coyote
+Cunning Evasion
+Cunning Geysermage
+Cunning Lethemancer
+Cunning Nightbonder
+Cunning Rhetoric
+Cunning Sparkmage
+Cunning Strike
+Cunning Survivor
+Cunning Wish
+Curate
+Curator of Mysteries
+Curator of Sun's Creation
+Curator's Ward
+Curie, Emergent Intelligence
+Curiosity
+Curiosity Crafter
+Curious Altisaur
+Curious Cadaver
+Curious Forager
+Curious Herd
+Curious Homunculus
+Curious Inquiry
+Curious Killbot
+Curious Obsession
+Curious Pair
+Curio Vendor
+Currency Converter
+Curry Favor
+Curse Artifact
+Cursebound Witch
+Cursebreak
+Cursecatcher
+Cursed Courtier
+Cursed Flesh
+Cursed Land
+Cursed Minotaur
+Cursed Mirror
+Cursed Monstrosity
+Cursed Rack
+Cursed Recording
+Cursed Ronin
+Cursed Scroll
+Cursed Totem
+Cursed Wombat
+Curse of Bloodletting
+Curse of Bounty
+Curse of Chains
+Curse of Clinging Webs
+Curse of Conformity
+Curse of Death's Hold
+Curse of Disturbance
+Curse of Exhaustion
+Curse of Fool's Wisdom
+Curse of Hospitality
+Curse of Inertia
+Curse of Leeches
+Curse of Marit Lage
+Curse of Misfortunes
+Curse of Oblivion
+Curse of Obsession
+Curse of Opulence
+Curse of Predation
+Curse of Shaken Faith
+Curse of Shallow Graves
+Curse of Silence
+Curse of Stalked Prey
+Curse of Surveillance
+Curse of the Bloody Tome
+Curse of the Cabal
+Curse of the Forsaken
+Curse of the Nightly Hunt
+Curse of the Pierced Heart
+Curse of the Restless Dead
+Curse of the Werefox
+Curse of Thirst
+Curse of Unbinding
+Curse of Vengeance
+Curse of Verbosity
+Curse of Vitality
+Curse of Wizardry
+Curtain of Light
+Curtains' Call
+Custodian of the Trove
+Custodi Lich
+Custodi Peacekeeper
+Custodi Soulbinders
+Custodi Soulcaller
+Custodi Squire
+Custody Battle
+Cut
+Cut a Deal
+Cut Down
+Cut In
+Cut of the Profits
+Cut Short
+Cut the Earthly Bond
+Cut the Tethers
+Cutthroat Centurion
+Cutthroat Contender
+Cutthroat il-Dal
+Cutthroat Maneuver
+Cutthroat Negotiator
+Cut Your Losses
+Cyber Conversion
+Cyberdrive Awakener
+Cyberman Patrol
+Cybermat
+Cybermen Squadron
+Cybernetica Datasmith
+Cybership
+Cycle of Life
+Cyclical Evolution
+Cyclone Sire
+Cyclone Summoner
+Cyclonic Rift
+Cyclonus, Cybertronian Fighter
+Cyclonus, the Saboteur
+Cyclopean Giant
+Cyclopean Mummy
+Cyclopean Snare
+Cyclopean Titan
+Cyclops Electromancer
+Cyclops Gladiator
+Cyclops of Eternal Fury
+Cyclops of One-Eyed Pass
+Cyclops Superconductor
+Cyclops Tyrant
+Cylian Elf
+Cylian Sunsinger
+Cystbearer
+Cytoplast Root-Kin
+Cytospawn Shambler
+Dack Fayden
+Dack's Duplicate
+Daemogoth Titan
+Daemogoth Woe-Eater
+Daggerback Basilisk
+Dagger Caster
+Daggerclaw Imp
+Daggerdrome Imp
+Daggerfang Duo
+Dagger of the Worthy
+Daggersail Aeronaut
+Daily Regimen
+Dakkon Blackblade
+Dakkon, Shadow Slayer
+Dakmor Bat
+Dakmor Ghoul
+Dakmor Lancer
+Dakmor Plague
+Dakmor Scorpion
+Dakmor Sorceress
+Dalakos, Crafter of Wonders
+Dalek Drone
+Dalek Intensive Care
+Dalek Squadron
+Damia, Sage of Stone
+Damn
+Damnable Pact
+Damnation
+Damning Verdict
+Dampening Pulse
+Dampen Thought
+Damping Field
+Damping Matrix
+Damping Sphere
+Dance of Many
+Dance of Shadows
+Dance of the Dead
+Dance of the Tumbleweeds
+Dance, Pathetic Marionette
+Dance with Calamity
+Dance with Devils
+Dancing Scimitar
+Dancing Sword
+Dandân
+Dangerous
+Danitha, Benalia's Hope
+Danitha Capashen, Paragon
+Danitha, New Benalia's Light
+Dan Lewis
+Danny Pink
+Danse Macabre
+Dapper Shieldmate
+Daraja Griffin
+Darba
+Daredevil Dragster
+Daretti, Ingenious Iconoclast
+Dargo, the Shipwrecker
+Darien, King of Kjeldor
+Darigaaz Reincarnated
+Darigaaz's Caldera
+Darigaaz's Charm
+Darigaaz, Shivan Champion
+Darigaaz's Whelp
+Darigaaz, the Igniter
+Daring Apprentice
+Daring Archaeologist
+Daring Buccaneer
+Daring Demolition
+Daring Discovery
+Daring Escape
+Daring Fiendbonder
+Daring Leap
+Daring Piracy
+Daring Saboteur
+Daring Skyjek
+Daring Sleuth
+Daring Thunder-Thief
+Daring Waverider
+Dark Apostle
+Dark Banishing
+Dark Bargain
+Dark Betrayal
+Darkblade Agent
+Darkblast
+Darkbore Pathway
+Dark Confidant
+Dark Dabbling
+Dark Depths
+Dark-Dweller Oracle
+Darkest Hour
+Dark Favor
+Dark Hatchling
+Dark Impostor
+Dark Inquiry
+Dark Intimations
+Darkling Stalker
+Darklit Gargoyle
+Darkmoss Bridge
+Darkness
+Dark Nourishment
+Dark Offering
+Dark Petition
+Dark Prophecy
+Dark Remedy
+Dark Revenant
+Dark Ritual
+Dark Salvation
+Darkslick Drake
+Darkslick Shores
+Dark Sphere
+Darkstar Augur
+Darksteel Axe
+Darksteel Brute
+Darksteel Citadel
+Darksteel Colossus
+Darksteel Forge
+Darksteel Gargoyle
+Darksteel Garrison
+Darksteel Hydra
+Darksteel Ingot
+Darksteel Juggernaut
+Darksteel Monolith
+Darksteel Myr
+Darksteel Pendant
+Darksteel Plate
+Darksteel Reactor
+Darksteel Relic
+Darksteel Sentinel
+Darksteel Splicer
+Dark Suspicions
+Dark Temper
+Darkthicket Wolf
+Dark Tutelage
+Darkwatch Elves
+Dark Withering
+Darling of the Masses
+Darting Merfolk
+Daru Cavalier
+Daru Encampment
+Daru Healer
+Daru Lancer
+Daru Mender
+Daru Sanctifier
+Daru Spiritualist
+Daru Stinger
+Daru Warchief
+Daryl, Hunter of Walkers
+Dash Hopes
+Daunting Defender
+Dauntless Aven
+Dauntless Avenger
+Dauntless Bodyguard
+Dauntless Cathar
+Dauntless Dismantler
+Dauntless Dourbark
+Dauntless Escort Avatar
+Dauntless Onslaught
+Dauntless River Marshal
+Dauntless Survivor
+Dauntless Unity
+Dauthi Cutthroat
+Dauthi Embrace
+Dauthi Ghoul
+Dauthi Horror
+Dauthi Jackal
+Dauthi Marauder
+Dauthi Mercenary
+Dauthi Mindripper
+Dauthi Slayer
+Dauthi Trapper
+Dauthi Voidwalker
+Dauthi Warlord
+D'Avenant Archer
+D'Avenant Healer
+D'Avenant Trapper
+Davriel, Rogue Shadowmage
+Davriel, Soul Broker
+Davriel's Shadowfugue
+Davriel's Withering
+Davros, Dalek Creator
+Dawn
+Dawnbreak Reclaimer
+Dawnbringer Charioteers
+Dawnbringer Cleric
+Dawn Charm
+Dawn Elemental
+Dawn Evangel
+Dawnfeather Eagle
+Dawnglade Regent
+Dawnglow Infusion
+Dawn Gryff
+Dawnhart Disciple
+Dawnhart Geist
+Dawnhart Mentor
+Dawnhart Rejuvenator
+Dawnhart Wardens
+Dawning Angel
+Dawning Purist
+Dawn of a New Age
+Dawn of Hope
+Dawn of the Dead
+Dawnray Archer
+Dawnstrider
+Dawnstrike Paladin
+Dawn's Truce
+Dawn to Dusk
+Dawntreader Elk
+Daxos, Blessed by the Sun
+Daxos of Meletis
+Daxos's Torment
+Daxos the Returned
+Day
+Daybreak Chaplain
+Daybreak Charger
+Daybreak Chimera
+Daybreak Combatants
+Daybreak Coronet
+Daybreak Ranger
+Day of Destiny
+Day of Judgment
+Day of the Dragons
+Day of the Moon
+Daysquad Marshal
+Daze
+Dazzling Beauty
+Dazzling Denial
+Dazzling Lights
+Dazzling Ramparts
+Dazzling Sphinx
+Dead
+Deadapult
+Deadbeat Attendant
+Dead Before Sunrise
+Deadbridge Chant
+Deadbridge Goliath
+Deadbridge Shaman
+Dead Drop
+Deadeye Brawler
+Deadeye Duelist
+Deadeye Harpooner
+Deadeye Navigator
+Deadeye Plunderers
+Deadeye Quartermaster
+Deadeye Rig-Hauler
+Deadeye Tormentor
+Deadeye Tracker
+Deadfall
+Deadlock Trap
+Deadly Alliance
+Deadly Allure
+Deadly Brew
+Deadly Complication
+Deadly Cover-Up
+Deadly Dancer
+Deadly Derision
+Deadly Designs
+Deadly Dispute
+Deadly Grub
+Deadly Insect
+Deadly Plot
+Deadly Recluse
+Deadly Riposte
+Deadly Rollick
+Deadly Vanity
+Deadly Visit
+Dead Man's Chest
+Dead of Winter
+Dead Reveler
+Dead Revels
+Deadshot Minotaur
+Dead Weight
+Deadwood Treefolk
+Deafening Clarion
+Deafening Silence
+Deal Broker
+Deal Gone Bad
+Dearly Departed
+Death
+Death Baron
+Deathbellow Raider
+Deathbellow War Cry
+Deathbloom Gardener
+Deathbloom Ritualist
+Deathbloom Thallid
+Deathbonnet Hulk
+Deathbonnet Sprout
+Deathbringer Liege
+Deathbringer Regent
+Deathbringer Thoctar
+Death by Dragons
+Deathcap Cultivator
+Deathcap Glade
+Deathcap Marionette
+Death Charmer
+Deathcoil Wurm
+Death Cultist
+Deathcult Rogue
+Deathcurse Ogre
+Death Denied
+Deathforge Shaman
+Death Frenzy
+Deathgaze Cockatrice
+Deathgazer
+Deathgorge Scavenger
+Death Grasp
+Deathgreeter
+Death-Greeter's Champion
+Deathgrip
+Death-Hood Cobra
+Death in Heaven
+Death Kiss
+Deathknell Berserker
+Deathleaper, Terror Weapon
+Deathless Ancient
+Deathless Angel
+Deathless Behemoth
+Deathless Knight
+Deathly Ride
+Deathmark
+Deathmask Nezumi
+Death Match
+Deathmist Raptor
+Death Mutation
+Death of a Thousand Stings
+Death or Glory
+Deathpact Angel
+Death Pits of Rath
+Death-Priest of Myrkul
+Death Pulse
+Death Rattle
+Death-Rattle Oni
+Deathreap Ritual
+Deathrender
+Deathrite Shaman
+Death's Approach
+Death's Caress
+Death's Duet
+Death's-Head Buzzard
+Death's Oasis
+Death Spark
+Death Speakers
+Deathspore Thallid
+Death's Presence
+Deathsprout
+Death's Shadow
+Death Stroke
+Death Tyrant
+Death Ward
+Death Watch
+Death Wind
+Death Wish
+Debilitating Injury
+Deb Thomas
+Debtors' Knell
+Debtor's Pulpit
+Debtors' Transport
+Debt to the Deathless
+Debt to the Kami
+Decadent Dragon
+Decanter of Endless Water
+Decaying Time Loop
+Deceiver Exarch
+Deceive the Messenger
+Deception
+Deceptive Landscape
+Decimate
+Decimator Beetle
+Decimator of the Provinces
+Decimator Web
+Decision Paralysis
+Decisive Denial
+Declaration in Stone
+Declaration of Naught
+Declare Dominance
+Decoction Module
+Decommission
+Decompose
+Decomposition
+Deconstruct
+Deconstruction Hammer
+Decorated Champion
+Decorated Griffin
+Decoy Gambit
+Decree of Justice
+Decree of Savagery
+Decree of Silence
+Dedicated Dollmaker
+Dedicated Martyr
+Deduce
+Deekah, Fractal Theorist
+Dee Kay, Finder of the Lost
+Deem Inferior
+Deem Worthy
+Deep Analysis
+Deep-Cavern Bat
+Deepcavern Imp
+Deepchannel Mentor
+Deepfathom Echo
+Deepfathom Skulker
+Deepfire Elemental
+Deep Forest Hermit
+Deep Freeze
+Deepglow Skate
+Deep Gnome Terramancer
+Deep Goblin Skulltaker
+Deepmuck Desperado
+Deep Reconnaissance
+Deeproot Champion
+Deeproot Elite
+Deeproot Historian
+Deeproot Pilgrimage
+Deeproot Warrior
+Deeproot Waters
+Deeproot Wayfinder
+Deep-Sea Kraken
+Deep-Sea Serpent
+Deep-Sea Terror
+Deep-Slumber Titan
+Deep Spawn
+Deeptread Merrow
+Deepwater Hypnotist
+Deep Wood
+Deepwood Denizen
+Deepwood Drummer
+Deepwood Ghoul
+Deepwood Legate
+Deepwood Tantiv
+Deepwood Wolverine
+Defabricate
+Deface
+Defang
+Defeat
+Defender en-Vec
+Defender of Chaos
+Defender of Law
+Defender of the Order
+Defenders of Humanity
+Defend the Campus
+Defend the Celestus
+Defend the Hearth
+Defenestrate
+Defenestrated Phantom
+Defense Grid
+Defense of the Heart
+Defensive Formation
+Defensive Stance
+Defiant Bloodlord
+Defiant Elf
+Defiant Falcon
+Defiant Greatmaw
+Defiant Khenra
+Defiant Ogre
+Defiant Salvager
+Defiant Strike
+Defiant Thundermaw
+Defiant Vanguard
+Defile
+Defiler of Dreams
+Defiler of Faith
+Defiler of Flesh
+Defiler of Instinct
+Defiler of Souls
+Defiler of Vigor
+Defiling Tears
+Deflecting Palm
+Deflecting Swat
+Defossilize
+Deft Dismissal
+Deft Duelist
+Defy Death
+Defy Gravity
+Dega Disciple
+Dega Sanctuary
+Degavolver
+Deglamer
+Dehydration
+Deicide
+Deification
+Deity of Scars
+Déjà Vu
+Delay
+Delayed Blast Fireball
+Delaying Shield
+Delete
+Deliberate
+Delighted Halfling
+Delighted Killbot
+Delight in the Hunt
+Delina, Wild Mage
+Delirium
+Delirium Skeins
+Deliver
+Deliver Unto Evil
+Delney, Streetwise Lookout
+Delraich
+Deluge
+Deluge of the Dead
+Delusions of Mediocrity
+Deluxe Dragster
+Delver of Secrets
+Delver's Torch
+Demand
+Demand Answers
+Demanding Dragon
+Dematerialize
+Dementia Bat
+Demigod of Revenge
+Demilich
+Demogorgon's Clutches
+Demolish
+Demolition Field
+Demolition Stomper
+Demon Bolt
+Demonfire
+Demonic Bargain
+Demonic Dread
+Demonic Embrace
+Demonic Gifts
+Demonic Hordes
+Demonic Lore
+Demonic Rising
+Demonic Ruckus
+Demonic Stench
+Demonic Taskmaster
+Demonic Torment
+Demonic Tutor
+Demonic Vigor
+Demonlord Belzenlok
+Demonlord of Ashmouth
+Demon of Catastrophes
+Demon of Dark Schemes
+Demon of Death's Gate
+Demon of Fate's Design
+Demon of Loathing
+Demon of Wailing Agonies
+Demon-Possessed Witch
+Demon's Disciple
+Demon's Due
+Demon's Grasp
+Demon's Herald
+Demon's Horn
+Demon's Jester
+Demonspine Whip
+Demotion
+Demystify
+Denethor, Ruling Steward
+Denethor, Stone Seer
+Denied!
+Denizen of the Deep
+Dennick, Pious Apparition
+Dennick, Pious Apprentice
+Den of the Bugbear
+Den Protector
+Denry Klin, Editor in Chief
+Dense Canopy
+Dense Foliage
+Deny Existence
+Denying Wind
+Deny Reality
+Deny the Divine
+Deny the Witch
+Depala, Pilot Exemplar
+Departed Deckhand
+Departed Soulkeeper
+Depart the Realm
+Deploy
+Deploy the Gatewatch
+Deploy to the Front
+Depopulate
+Depose
+Depraved Harvester
+Deprive
+Depth Charge Colossus
+Depth Defiler
+Depths of Desire
+Deputized Protester
+Deputy of Acquittals
+Deputy of Detention
+Deranged Assistant
+Deranged Hermit
+Deranged Outcast
+Deranged Whelp
+Derelor
+Derevi, Empyrial Tactician
+Dermoplasm
+Dermotaxi
+Descendant of Kiyomaro
+Descendant of Soramaro
+Descendants' Fury
+Descendants' Path
+Descend upon the Sinful
+Descent into Avernus
+Desdemona, Freedom's Edge
+Desecrated Earth
+Desecrated Tomb
+Desecrate Reality
+Desecration Demon
+Desecration Plague
+Desecrator Hag
+Desert
+Desert Cerodon
+Desert Drake
+Deserted Beach
+Deserted Temple
+Desertion
+Desert Nomads
+Desert of the Fervent
+Desert of the Glorified
+Desert of the Indomitable
+Desert of the Mindful
+Desert of the True
+Desert Sandstorm
+Desert's Due
+Desert's Hold
+Desert Twister
+Desert Warfare
+Desiccated Naga
+Desist
+Desmond Miles
+Desolate Lighthouse
+Desolation Angel
+Desolation Twin
+Despair
+Despark
+Desperate Bloodseeker
+Desperate Castaways
+Desperate Charge
+Desperate Farmer
+Desperate Lunge
+Desperate Parry
+Desperate Ravings
+Desperate Ritual
+Desperate Sentry
+Desperate Stand
+Despise
+Despoil
+Despoiler of Souls
+Despondency
+Despondent Killbot
+Despotic Scepter
+Destined
+Destiny Spinner
+Destroy Evil
+Destroy the Evidence
+Destructive Digger
+Destructive Flow
+Destructive Force
+Destructive Revelry
+Destructive Tampering
+Destructive Urge
+Destructor Dragon
+Desynchronization
+Desynchronize
+Detained by Legionnaires
+Detective of the Month
+Detective's Phoenix
+Detective's Satchel
+Detention Sphere
+Detention Vortex
+Determined
+Determined Iteration
+Detonate
+Deus of Calamity
+Devastate
+Devastating Mastery
+Devastation
+Devastation Tide
+Development
+Deviant Glee
+Devilish Valet
+Devil's Play
+Devils' Playground
+Devilthorn Fox
+Devious Cover-Up
+Devkarin Dissident
+Devoted Crop-Mate
+Devoted Grafkeeper
+Devoted Hero
+Devoted Paladin
+Devoted Retainer
+Devotee of Strength
+Devourer of Destiny
+Devourer of Memory
+Devour Flesh
+Devour in Flames
+Devouring Deep
+Devouring Light
+Devouring Sugarmaw
+Devouring Swarm
+Devouring Tendrils
+Devour in Shadow
+Devour Intellect
+Devout Chaplain
+Devout Harpist
+Devout Invocation
+Devout Lightcaster
+Devout Monk
+Devout Witness
+Dewdrop Cure
+Dewdrop Spy
+Dhalsim, Pliable Pacifist
+Dhund Operative
+Diabolical Salvation
+Diabolic Edict
+Diabolic Machine
+Diabolic Servitude
+Diabolic Tutor
+Diabolic Vision
+Diamond City
+Diamond Faerie
+Diamond Faerie Avatar
+Diamond Kaleidoscope
+Diamond Knight
+Diamond Mare
+Diamond Pick-Axe
+Diamond Valley
+Diaochan, Artful Beauty
+Dichotomancy
+Dictate of Erebos
+Dictate of Heliod
+Dictate of Karametra
+Dictate of Kruphix
+Dictate of the Twin Gods
+Didact Echo
+Didgeridoo
+Didn't Say Please
+Die Young
+Diffusion Sliver
+Dig Deep
+Digsite Conservator
+Digsite Engineer
+Dig Through Time
+Dig Up
+Dig Up the Body
+Dihada, Binder of Wills
+Dihada's Ploy
+Diligent Excavator
+Diligent Farmhand
+Diluvian Primordial
+Dimensional Breach
+Dimensional Infiltrator
+Diminished Returner
+Diminisher Witch
+Dimir Aqueduct
+Dimir Cluestone
+Dimir Cutpurse
+Dimir Guildgate
+Dimir Guildmage
+Dimir House Guard
+Dimir Infiltrator
+Dimir Informant
+Dimir Keyrune
+Dimir Locket
+Dimir Spybug
+Dimir Strandcatcher
+Dina, Soul Steeper
+Dingus Egg
+Dingus Staff
+Dining Room
+Dino DNA
+Din of the Fireherd
+Dinosaur Egg
+Dinosaur Hunter
+Dinosaurs on a Spaceship
+Dinosaur Stampede
+Dinotomaton
+Dinrova Horror
+Diplomacy of the Wastes
+Diplomatic Escort
+Diplomatic Immunity
+Dire Blunderbuss
+Direct Current
+Dire Downdraft
+Dire Flail
+Dire Fleet Captain
+Dire Fleet Daredevil
+Dire Fleet Hoarder
+Dire Fleet Interloper
+Dire Fleet Neckbreaker
+Dire Fleet Poisoner
+Dire Fleet Ravager
+Dire Fleet Warmonger
+Diregraf Captain
+Diregraf Colossus
+Diregraf Escort
+Diregraf Ghoul
+Diregraf Horde
+Diregraf Rebirth
+Diregraf Scavenger
+Dire Mimic
+Diresight
+Dire-Strain Anarchist
+Dire-Strain Brawler
+Dire-Strain Demolisher
+Dire-Strain Rampage
+Dire Tactics
+Dire Undercurrents
+Dire Wolf Prowler
+Dirge Bat
+Dirge of Dread
+Dirgur Nemesis
+Dirtcowl Wurm
+Dirtwater Wraith
+Dirty
+Dirty Rat
+Dirty Wererat
+Disappear
+Disa the Restless
+Discerning Financier
+Discerning Peddler
+Discerning Taste
+Disciple of Caelus Nin
+Disciple of Deceit
+Disciple of Freyalise
+Disciple of Grace
+Disciple of Griselbrand
+Disciple of Kangee
+Disciple of Law
+Disciple of Malice
+Disciple of Perdition
+Disciple of Phenax
+Disciple of Tevesh Szat
+Disciple of the Old Ways
+Disciple of the Ring
+Disciple of the Sun
+Disciple of the Vault
+Disciples of Gix
+Disciples of the Inferno
+Disciplined Duelist
+Discombobulate
+Discordant Dirge
+Discordant Piper
+Discordant Spirit
+Discourtesy Clerk
+Discover the Formula
+Discover the Impossible
+Discovery
+Discreet Retreat
+Disdainful Stroke
+Disease Carriers
+Diseased Vermin
+Disembowel
+Disempower
+Disenchant
+Disentomb
+Disfigure
+Disinformation Campaign
+Disintegrate
+Dismal Backwater
+Dismal Failure
+Dismantle
+Dismantling Blow
+Dismantling Wave
+Dismember
+Dismiss
+Dismiss into Dream
+Dismissive Pyromancer
+Disorder
+Disorder in the Court
+Disorient
+Disowned Ancestor
+Dispel
+Dispeller's Capsule
+Dispense Justice
+Dispersal
+Dispersal Technician
+Disperse
+Displaced Dinosaurs
+Displacement Wave
+Displacer Beast
+Displacer Kitten
+Display of Dominance
+Display of Power
+Disposal Mummy
+Disrupt
+Disrupt Decorum
+Disrupting Scepter
+Disruption Aura
+Disruption Protocol
+Disruptive Pitmage
+Disruptive Student
+Disruptor Flute
+Disruptor Wanderglyph
+Dissatisfied Customer
+Dissension in the Ranks
+Dissenter's Deliverance
+Dissipate
+Dissipation Field
+Dissolve
+Dissonant Wave
+Distant Melody
+Distant Memories
+Distemper of the Blood
+Distended Mindbender
+Distinguished Conjurer
+Distorted Curiosity
+Distorting Wake
+Distortion Strike
+Distract
+Distracting Geist
+Distract the Guards
+Distress
+District Guide
+Disturbed Burial
+Disturbed Slumber
+Disturbing Conversion
+Disturbing Plot
+Dive Bomber
+Dive Down
+Divergent Transformations
+Diver Skaab
+Divest
+Divide by Zero
+Divination
+Divine Arrow
+Divine Congregation
+Divine Favor
+Divine Gambit
+Divine Offering
+Divine Presence
+Divine Purge
+Divine Retribution
+Diviner of Fates
+Diviner Spirit
+Diviner's Portent
+Diviner's Wand
+Divine Sacrament
+Divine Smite
+Divine Transformation
+Divine Verdict
+Divine Visitation
+Diving Griffin
+Divinity of Pride
+Dizzying Gaze
+Dizzying Swoop
+Djeru and Hazoret
+Djeru's Renunciation
+Djeru's Resolve
+Djeru, With Eyes Open
+Djinni Windseer
+Djinn of Fool's Fall
+Djinn of the Fountain
+Djinn of the Lamp
+Doc Aurlock, Grizzled Genius
+Docent of Perfection
+Dockside Chef
+Dockside Extortionist
+Dodecapod
+Dodgy Jalopy
+Dogged Detective
+Dogged Hunter
+Dogged Pursuit
+Dogmeat, Ever Loyal
+Dogpile
+Dog Umbra
+Dog Walker
+Dokai, Weaver of Life
+Dokuchi Shadow-Walker
+Dokuchi Silencer
+Dollhouse of Horrors
+Dolmen Gate
+Domesticated Hydra
+Domesticated Mammoth
+Domesticated Watercourse
+Domestication
+Dominaria's Judgment
+Dominating Vampire
+Dominator Drone
+Domineer
+Dominus of Fealty
+Domri, Anarch of Bolas
+Domri, Chaos Bringer
+Domri, City Smasher
+Domri Rade
+Domri's Ambush
+Domri's Nodorog
+Donal, Herald of Wings
+Don Andres, the Renegade
+Donate
+Done
+Dong Zhou, the Tyrant
+Donna Noble
+Don't Blink
+Don't Move
+Doom Blade
+Doom Cannon
+Doomed Artisan
+Doomed Dissenter
+Doomed Necromancer
+Doomed Traveler
+Doomfall
+Doom Foretold
+Doomgape
+Doomsday Excruciator
+Doomsday Specter
+Doomskar
+Doomskar Oracle
+Doomskar Titan
+Doomskar Warrior
+Doomwake Giant
+Doom Weaver
+Doom Whisperer
+Do or Die
+Doorkeeper
+Doorkeeper Thrull
+Door of Destinies
+Doors of Durin
+Door to Nothingness
+Doppelgang
+Doran, the Siege Tower
+Doric, Nature's Warden
+Doric, Owlbear Avenger
+Dormant Gomazoa
+Dormant Grove
+Dormant Sliver
+Dormant Volcano
+Dorothea's Retribution
+Dorothea, Vengeful Victim
+Dosan's Oldest Chant
+Dosan the Falling Leaf
+Doublecast
+Double Cleave
+Double Down
+Double Major
+Double Negative
+Double Stroke
+Double Vision
+Doubling Chant
+Doubling Season
+Doubtless One
+Dour Port-Mage
+Douse
+Douse in Gloom
+Douser of Lights
+Dovescape
+Dovin, Architect of Law
+Dovin Baan
+Dovin, Grand Arbiter
+Dovin's Acuity
+Dovin's Automaton
+Dovin's Dismissal
+Dovin's Veto
+Down
+Downdraft
+Down for Repairs
+Downhill Charge
+Downpour
+Downsize
+Downwind Ambusher
+Dowsing Dagger
+Dowsing Device
+Dowsing Shaman
+Drach'Nyen
+Draco
+Draconian Cylix
+Draconian Gate-Bot
+Draconic Debut
+Draconic Destiny
+Draconic Disciple
+Draconic Intervention
+Draconic Lore
+Draconic Muralists
+Draconic Roar
+Dracoplasm
+Drafna, Founder of Lat-Nam
+Drag Down
+Dragon Appeasement
+Dragon Arch
+Dragon Bell Monk
+Dragon Blood
+Dragonborn Champion
+Dragonborn Immolator
+Dragonborn Looter
+Dragon Breath
+Dragon Broodmother
+Dragon Cultist
+Dragon Egg
+Dragon Engine
+Dragon Fangs
+Dragonfly Pilot
+Dragonfly Suit
+Dragon Fodder
+Dragon Grip
+Dragon Hatchling
+Dragonhawk, Fate's Tempest
+Dragon Hunter
+Dragon-Kami's Egg
+Dragonkin Berserker
+Dragonlair Spider
+Dragonloft Idol
+Dragonlord Atarka
+Dragonlord Dromoka
+Dragonlord Kolaghan
+Dragonlord Ojutai
+Dragonlord Silumgar
+Dragonlord's Prerogative
+Dragonlord's Servant
+Dragon Mage
+Dragon Mantle
+Dragonmaster Outcast
+Dragon Roost
+Dragon's Approach
+Dragonscale Boon
+Dragonscale General
+Dragon Scales
+Dragon-Scarred Bear
+Dragon's Claw
+Dragon's Disciple
+Dragon's Eye Savants
+Dragon's Eye Sentry
+Dragon's Fire
+Dragonsguard Elite
+Dragon Shadow
+Dragon's Herald
+Dragon's Hoard
+Dragonskull Summit
+Dragonsoul Knight
+Dragonspark Reactor
+Dragonspeaker Shaman
+Dragon's Presence
+Dragon's Rage Channeler
+Dragonstalker
+Dragonstorm
+Dragon-Style Twins
+Dragon Tempest
+Dragon Turtle
+Dragon Tyrant
+Dragon Whelp
+Dragon Whisperer
+Dragonwing Glider
+Dragon Wings
+Drag the Canal
+Drag to the Bottom
+Drag to the Underworld
+Drag Under
+Draining Whelk
+Drain Life
+Drainpipe Vermin
+Drain Power
+Drain the Well
+Drake Familiar
+Drake Hatchling
+Drake Haven
+Drake-Skull Cameo
+Drake Stone
+Drakestown Forgotten
+Drake Umbra
+Drakewing Krasis
+Drakuseth, Maw of Flames
+Dralnu's Crusade
+Dralnu's Pet
+Dramatic Accusation
+Dramatic Entrance
+Dramatic Finale
+Dramatic Rescue
+Dramatic Reversal
+Dramatist's Puppet
+Drana and Linvala
+Drana, Kalastria Bloodchief
+Drana, Liberator of Malakir
+Drana's Chosen
+Drana's Emissary
+Drana's Silencer
+Drana, the Last Bloodchief
+Drannith Healer
+Drannith Magistrate
+Drannith Ruins
+Drannith Stinger
+Drastic Revelation
+Draugr Necromancer
+Draugr Recruiter
+Draugr's Helm
+Draugr Thought-Thief
+Dread
+Dreadbore
+Dreadbringer Lampads
+Dread Cacodemon
+Dread Defiler
+Dread Drone
+Dreadfeast Demon
+Dread Fugue
+Dreadful Apathy
+Dreadful as the Storm
+Dreadhorde Arcanist
+Dreadhorde Butcher
+Dreadhorde Invasion
+Dreadhorde Twins
+Dreadhound
+Dreadlight Monstrosity
+Dread Linnorm
+Dreadmalkin
+Dreadmaw's Ire
+Dreadmobile
+Dread of Night
+Dread Osseosaur
+Dread Presence
+Dread Reaper
+Dread Return
+Dread Rider
+Dread Shade
+Dread Slag
+Dread Slaver
+Dread Specter
+Dread Statuary
+Dread Summons
+Dread Wanderer
+Dread Warlock
+Dreadwaters
+Dread Whispers
+Dread Wight
+Dreadwing
+Dreadwurm
+Dreamborn Muse
+Dream Cache
+Dreamcaller Siren
+Dream Chisel
+Dream Coat
+Dream Devourer
+Dreamdew Entrancer
+Dreamdrinker Vampire
+Dream Eater
+Dream Fighter
+Dream Fracture
+Dream Halls
+Dream Leash
+Dream Pillager
+Dreampod Druid
+Dream Prowler
+Dreamroot Cascade
+Dreamscape Artist
+Dreamshackle Geist
+Dreamshaper Shaman
+Dreams of Steel and Oil
+Dreams of the Dead
+Dream Spoilers
+Dreamspoiler Witches
+Dreamstalker Manticore
+Dreamstealer
+Dreamstone Hedron
+Dream Strix
+Dreamtail Heron
+Dream Thief
+Dream-Thief's Bandana
+Dream Tides
+Dreamtide Whale
+Dream Trawler
+Dream Twist
+Dredge
+Dredge the Mire
+Dredging Claw
+Dreg Mangler
+Dreg Reaver
+Dreg Recycler
+Dregscape Sliver
+Dregscape Zombie
+Drekavac
+Drelnoch
+Drench the Soil in Their Blood
+Dress Down
+Drey Keeper
+Drider
+Drifter il-Dal
+Driftgloom Coyote
+Drifting Djinn
+Drifting Meadow
+Drifting Shade
+Drift of Phantasms
+Drift of the Dead
+Drill Bit
+Drill-Skimmer
+Drillworks Mole
+Drinker of Sorrow
+Dripping Dead
+Dripping-Tongue Zubera
+Driven
+Driver of the Dead
+Drivnod, Carnage Dominus
+Drizzt Do'Urden
+Dr. Madison Li
+Drogskol Armaments
+Drogskol Captain
+Drogskol Cavalry
+Drogskol Infantry
+Drogskol Reaver
+Drogskol Reinforcements
+Drogskol Shieldmate
+Dromad Purebred
+Dromar's Cavern
+Dromar's Charm
+Dromoka Captain
+Dromoka Dunecaster
+Dromoka Monument
+Dromoka's Command
+Dromoka's Gift
+Dromoka, the Eternal
+Dromoka Warrior
+Dromosaur
+Dronepack Kindred
+Drooling Groodion
+Drooling Ogre
+Drop Tower
+Drossclaw
+Dross Crocodile
+Drossforge Bridge
+Dross Golem
+Dross Harvester
+Dross Hopper
+Dross Prowler
+Dross Ripper
+Dross Scorpion
+Dross Skullbomb
+Drought
+Drove of Elves
+Drover Grizzly
+Drover of the Mighty
+Drover of the Swine
+Drowned
+Drowned Catacomb
+Drowned Jungle
+Drowned Secrets
+Drowner Initiate
+Drowner of Hope
+Drowner of Secrets
+Drowner of Truth
+Drown in Dreams
+Drown in Ichor
+Drown in Shapelessness
+Drown in Sorrow
+Drown in the Loch
+Drownyard Amalgam
+Drownyard Behemoth
+Drownyard Explorers
+Drownyard Lurker
+Drownyard Temple
+Drowsing Tyrannodon
+Drudge Beetle
+Drudge Reavers
+Drudge Sentinel
+Drudge Skeletons
+Drudge Spell
+Druid Class
+Druidic Ritual
+Druidic Satchel
+Druid Lyrist
+Druid of Horns
+Druid of Purification
+Druid of the Anima
+Druid of the Cowl
+Druid of the Emerald Grove
+Druid of the Spade
+Druid's Call
+Druid's Deliverance
+Druid's Familiar
+Druids' Repository
+Drumbellower
+Drumhunter
+Drunau Corpse Trawler
+Dryad Arbor
+Dryad Greenseeker
+Dryad Militant
+Dryad of the Ilysian Grove
+Dryad's Favor
+Dryad Sophisticate
+Dryad's Revival
+Dry Spell
+Dual Casting
+Dual Nature
+Dual Shot
+Dual Strike
+Dub
+Dubious Challenge
+Duchess, Wayward Tavernkeep
+Due Diligence
+Duelcraft Trainer
+Duel for Dominance
+Dueling Coach
+Dueling Grounds
+Dueling Rapier
+Duelist of Deep Faith
+Duelist of the Mind
+Duelist's Heritage
+Due Respect
+Duergar Assailant
+Duergar Cave-Guard
+Duergar Hedge-Mage
+Duergar Mine-Captain
+Duggan, Private Detective
+Duke Ulder Ravengard
+Dukhara Peafowl
+Dukhara Scavenger
+Dunbarrow Revivalist
+Dune Beetle
+Duneblast
+Dune-Brood Nephilim
+Dune Chanter
+Dúnedain Blade
+Dúnedain Rangers
+Dune Diviner
+Dune Mover
+Dunerider Outlaw
+Dunes of the Dead
+Dungeon Crawler
+Dungeon Delver
+Dungeon Descent
+Dungeoneer's Pack
+Dungeon Geists
+Dungeon Map
+Dungeon Master
+Dungeon of the Mad Mage
+Dungeon Shade
+Dungrove Elder
+Dunland Crebain
+Duplicant
+Durable Coilbug
+Durable Handicraft
+Duress
+Durkwood Baloth
+Durkwood Boars
+Durkwood Tracker
+Durnan of the Yawning Portal
+Dusk
+Duskana, the Rage Mother
+Duskborne Skymarcher
+Dusk Charger
+Duskdale Wurm
+Duskfang Mentor
+Dusk Feaster
+Duskhunter Bat
+Dusk Imp
+Dusk Legion Dreadnought
+Dusk Legion Duelist
+Dusk Legion Sergeant
+Dusk Legion Zealot
+Dusk Mangler
+Duskmantle Guildmage
+Duskmantle, House of Shadow
+Duskmantle Operative
+Duskmantle Prowler
+Duskmantle Seer
+Duskrider Falcon
+Duskrider Peregrine
+Dusk Rose Reliquary
+Duskshell Crawler
+Dusk's Landing
+Dusk Urchins
+Duskwalker
+Duskwatch Recruiter
+Duskwielder
+Duskworker
+Dust
+Dust Animus
+Dust Bowl
+Dust Corona
+Dust Elemental
+Dustin, Gadget Genius
+Dust Stalker
+Dust to Dust
+Dutiful Attendant
+Dutiful Griffin
+Dutiful Replicator
+Dutiful Return
+Dutiful Servants
+Dutiful Thrull
+Duty-Bound Dead
+Dwarfhold Champion
+Dwarven Berserker
+Dwarven Blastminer
+Dwarven Bloodboiler
+Dwarven Catapult
+Dwarven Demolition Team
+Dwarven Driller
+Dwarven Forge-Chanter
+Dwarven Grunt
+Dwarven Hammer
+Dwarven Landslide
+Dwarven Lieutenant
+Dwarven Lightsmith
+Dwarven Mine
+Dwarven Miner
+Dwarven Nomad
+Dwarven Patrol
+Dwarven Pony
+Dwarven Priest
+Dwarven Reinforcements
+Dwarven Scorcher
+Dwarven Shrine
+Dwarven Soldier
+Dwarven Strike Force
+Dwarven Trader
+Dwarven Vigilantes
+Dwarven Warriors
+Dwarven Weaponsmith
+Dwindle
+Dwynen, Gilt-Leaf Daen
+Dwynen's Elite
+Dying to Serve
+Dying Wail
+Dying Wish
+Dynacharge
+Dynaheir, Invoker Adept
+Dynavolt Tower
+Dystopia
+Eager Beaver
+Eager Cadet
+Eager Construct
+Eager First-Year
+Eagle of Deliverance
+Eagle of the Watch
+Eagles of the North
+Eagle Vision
+Earl of Squirrel
+Early Frost
+Early Winter
+Earnest Fellowship
+Earsplitting Rats
+Earth
+Earthbind
+Earthblighter
+Earth-Cult Elemental
+Earth Elemental
+Earthen Arms
+Earthen Goo
+Earthlink
+Earthlore
+Earth-Origin Yak
+Earthquake
+Earthquake Dragon
+Earth Rift
+Earth Servant
+Earthshaker
+Earthshaker Dreadmaw
+Earthshaker Giant
+Earthshaker Khenra
+Earthshaking Si
+Earth Surge
+Earth Tremor
+Earwig Squad
+Easterling Vanguard
+Eastern Paladin
+Eastfarthing Farmer
+East-Mark Cavalier
+Easy Prey
+Eaten Alive
+Eaten by Piranhas
+Eaten by Spiders
+Eater of Days
+Eater of the Dead
+Eater of Virtue
+Eat to Extinction
+Ebondeath, Dracolich
+Ebon Dragon
+Ebon Drake
+Ebon Praetor
+Ebony Fly
+Ebony Owl Netsuke
+Ebony Rhino
+Ebony Treefolk
+Eccentric Apprentice
+Eccentric Farmer
+Echo Chamber
+Echo Circlet
+Echoes of Eternity
+Echoes of the Kin Tree
+Echoing Assault
+Echoing Boon
+Echoing Courage
+Echoing Deeps
+Echoing Equation
+Echoing Return
+Echoing Truth
+Echo Inspector
+Echo Mage
+Echo of Death's Wail
+Echo of Dusk
+Echo of Eons
+Echo Storm
+Echo Tracer
+Ecological Appreciation
+Ecologist's Terrarium
+Ecstatic Awakener
+Ecstatic Beauty
+Ecstatic Electromancer
+Eddymurk Crab
+Eddytrail Hawk
+ED-E, Lonesome Eyebot
+Edgar, Charmed Groom
+Edgar Markov
+Edgar Markov's Coffin
+Edgar's Awakening
+Edge of Malacol
+Edge of the Divinity
+Edgewalker
+Edgewall Inn
+Edgewall Innkeeper
+Edgewall Pack
+Edgin, Larcenous Lutenist
+Edifice of Authority
+Edric, Spymaster of Trest
+Edward Kenway
+Eel Umbra
+Eerie Interference
+Eerie Interlude
+Eerie Procession
+Eerie Soultender
+Eerie Ultimatum
+Efficient Construction
+Effluence Devourer
+Efreet Flamepainter
+Efreet Weaponmaster
+Ego Drain
+Ego Erasure
+Egon, God of Death
+E. Honda, Sumo Champion
+Eidolon of Blossoms
+Eidolon of Countless Battles
+Eidolon of Inspiration
+Eidolon of Obstruction
+Eidolon of Philosophy
+Eidolon of Rhetoric
+Eidolon of the Great Revel
+Eiganjo Castle
+Eiganjo Exemplar
+Eiganjo Free-Riders
+Eiganjo, Seat of the Empire
+Eiganjo Uprising
+Eight-and-a-Half-Tails Avatar
+Eightfold Maze
+Eivor, Battle-Ready
+Eivor, Wolf-Kissed
+Ekundu Cyclops
+Ekundu Griffin
+Elaborate Firecannon
+Eladamri, Korvecdal
+Eladamri, Lord of Leaves
+Eladamri, Lord of Leaves Avatar
+Eladamri's Call
+Eladamri's Vineyard
+Eland Umbra
+Elanor Gardner
+Elas il-Kor, Sadistic Pilgrim
+Elbrus, the Binding Blade
+Elder Arthur Maxson
+Elder Brain
+Elder Cathar
+Elder Deep-Fiend
+Elderfang Disciple
+Elderfang Ritualist
+Elderfang Venom
+Elder Gargaroth
+Elder Land Wurm
+Elderleaf Mentor
+Elder Mastery
+Elder of Laurels
+Elder Owyn Lyons
+Elder Pine of Jukai
+Elderscale Wurm
+Elder Spawn
+Elderwood Scion
+Eldrazi Aggressor
+Eldrazi Confluence
+Eldrazi Conscription
+Eldrazi Devastator
+Eldrazi Displacer
+Eldrazi Linebreaker
+Eldrazi Mimic
+Eldrazi Monument
+Eldrazi Obligator
+Eldrazi Ravager
+Eldrazi Repurposer
+Eldrazi Skyspawner
+Eldrazi Temple
+Eldritch Evolution
+Eldritch Immunity
+Eldritch Pact
+Electric Eel
+Electrickery
+Electric Revelation
+Electrify
+Electrodominance
+Electrolyze
+Electropotence
+Electrosiphon
+Electrostatic Blast
+Electrostatic Bolt
+Electrostatic Field
+Electrostatic Infantry
+Electrostatic Pummeler
+Electrozoa
+Electryte
+Elegant Edgecrafters
+Elegant Entourage
+Elegant Parlor
+Elemental Appeal
+Elemental Augury
+Elemental Bond
+Elemental Eruption
+Elemental Expressionist
+Elementalist's Palette
+Elemental Masterpiece
+Elemental Mastery
+Elemental Resonance
+Elemental Summoning
+Elemental Uprising
+Elenda and Azor
+Elenda's Hierophant
+Elenda, the Dusk Rose
+Elephant Ambush
+Elephant Grass
+Elephant Graveyard
+Elephant Guide
+Elephant Resurgence
+Elesh Norn
+Elesh Norn, Grand Cenobite
+Elesh Norn, Mother of Machines
+Eleven, the Mage
+Elfhame Druid
+Elfhame Palace
+Elfhame Wurm
+Elf Replica
+Elgaud Inquisitor
+Elgaud Shieldmate
+El-Hajjâj
+Eligeth, Crossroads Augur
+Eliminate
+Eliminate the Competition
+Eliminate the Impossible
+Elite Archers
+Elite Arrester
+Elite Cat Warrior
+Elite Guardmage
+Elite Headhunter
+Elite Inquisitor
+Elite Instructor
+Elite Javelineer
+Elite Scaleguard
+Elite Skirmisher
+Elite Spellbinder
+Elite Vanguard
+Elixir of Immortality
+Elixir of Vitality
+Elkin Bottle
+Elkin Lair
+Ellie and Alan, Paleontologists
+Ellivere of the Wild Court
+Ellyn Harbreeze, Busybody
+Ellywick Tumblestrum
+Elminster
+Elminster's Simulacrum
+Eloise, Nephalia Sleuth
+Eloren Wilds
+Elrond, Lord of Rivendell
+Elrond, Master of Healing
+Elrond of the White Council
+Elsha of the Infinite
+Elspeth Conquers Death
+Elspeth, Knight-Errant
+Elspeth Resplendent
+Elspeth's Devotee
+Elspeth's Nightmare
+Elspeth's Smite
+Elspeth's Talent
+Elspeth, Sun's Champion
+Elspeth, Sun's Nemesis
+Elspeth Tirel
+Elspeth, Undaunted Hero
+Elturgard Ranger
+Eluge, the Shoreless Sea
+Elusive Krasis
+Elusive Otter
+Elusive Spellfist
+Elven Ambush
+Elven Bow
+Elven Cache
+Elven Chorus
+Elven Farsight
+Elven Fortress
+Elven Lyre
+Elven Riders
+Elven Rite
+Elven Warhounds
+Elves of Deep Shadow
+Elvish Aberration
+Elvish Archdruid
+Elvish Archers
+Elvish Archivist
+Elvish Bard
+Elvish Berserker
+Elvish Branchbender
+Elvish Champion
+Elvish Champion Avatar
+Elvish Clancaller
+Elvish Doomsayer
+Elvish Dreadlord
+Elvish Eulogist
+Elvish Farmer
+Elvish Fury
+Elvish Guidance
+Elvish Handservant
+Elvish Harbinger
+Elvish Healer
+Elvish Herder
+Elvish Hexhunter
+Elvish Hunter
+Elvish Hydromancer
+Elvish Impersonators
+Elvish Lookout
+Elvish Lyrist
+Elvish Mariner
+Elvish Mystic
+Elvish Pathcutter
+Elvish Pioneer
+Elvish Piper
+Elvish Promenade
+Elvish Ranger
+Elvish Reclaimer
+Elvish Rejuvenator
+Elvish Scrapper
+Elvish Skysweeper
+Elvish Soultiller
+Elvish Spirit Guide
+Elvish Vanguard
+Elvish Vatkeeper
+Elvish Visionary
+Elvish Warmaster
+Elvish Warrior
+Emancipation Angel
+Embalmer's Tools
+Embargo
+Ember Beast
+Embereth Blaze
+Embereth Paladin
+Embereth Shieldbreaker
+Embereth Skyblazer
+Embereth Veteran
+Ember-Eye Wolf
+Ember-Fist Zubera
+Ember Hauler
+Emberheart Challenger
+Emberhorn Minotaur
+Embermage Goblin
+Embermaw Hellion
+Ember Shot
+Embersmith
+Emberstrike Duo
+Ember Swallower
+Ember Weaver
+Emberwilde Augur
+Emberwilde Captain
+Emberwilde Djinn
+Embiggen
+Emblazoned Golem
+Emblem of the Warmind
+Embodiment of Agonies
+Embodiment of Flame
+Embodiment of Fury
+Embodiment of Insight
+Embodiment of Spring
+Embraal Bruiser
+Embraal Gear-Smasher
+Embrace My Diabolical Vision
+Embrace the Unknown
+Embrose, Dean of Shadow
+Emerald Collector
+Emerald Dragon
+Emerald Dragonfly
+Emerald Medallion
+Emerald Oryx
+Emergency Powers
+Emergency Weld
+Emergent Growth
+Emergent Haunting
+Emergent Sequence
+Emergent Ultimatum
+Emergent Woodwurm
+Emerge Unscathed
+Emeria Angel
+Emeria Captain
+Emeria's Call
+Emeria, Shattered Skyclave
+Emeria Shepherd
+Emeria, the Sky Ruin
+Emiel the Blessed
+Emissary Green
+Emissary of Despair
+Emissary of Grudges
+Emissary of Hope
+Emissary of Soulfire
+Emissary of Sunrise
+Emissary of the Sleepless
+Emissary's Ploy
+Emmara, Soul of the Accord
+Emmara Tandris
+Emmara, Voice of the Conclave
+Emmessi Tome
+Emperor Apatzec Intli IV
+Emperor Crocodile
+Emperor Mihail II
+Emperor of Bones
+Emperor's Vanguard
+Emporium Thopterist
+Empowered Autogenerator
+Empress Galina
+Empty-Shrine Kannushi
+Empty the Catacombs
+Empty the Laboratory
+Empty the Pits
+Empty the Warrens
+Empyreal Voyager
+Empyrean Eagle
+Empyrial Archangel
+Empyrial Armor
+Empyrial Plate
+Empyrial Storm
+Emrakul's Evangel
+Emrakul's Hatcher
+Emrakul's Influence
+Emrakul's Messenger
+Emrakul, the Aeons Torn
+Emrakul, the World Anew
+Emry, Lurker of the Loch
+Enatu Golem
+Encampment Keeper
+Encase in Ice
+Enchanted Being
+Enchanted Carriage
+Enchanted Evening
+Enchanted Prairie
+Enchanter's Bane
+Enchantment Alteration
+Enchantmentize
+Enchantress's Presence
+Encircling Fissure
+Enclave Cryptologist
+Enclave Elite
+Encroach
+Encroaching Mycosynth
+Encroaching Wastes
+Encrust
+Endangered Armodon
+Endbringer
+Endbringer's Revel
+End Hostilities
+Endless Atlas
+Endless Cockroaches
+Endless Detour
+Endless Evil
+Endless Obedience
+Endless One
+Endless Ranks of the Dead
+Endless Sands
+Endless Scream
+Endless Swarm
+Endless Wurm
+Endoskeleton
+End-Raze Forerunners
+Endrek Sahr, Master Breeder
+Ends
+End the Festivities
+Endurance
+Endurance Bobblehead
+Enduring Angel
+Enduring Bondwarden
+Enduring Ideal
+Enduring Scalelord
+Enduring Sliver
+Enduring Tenacity
+Enduring Victory
+Enemy of Enlightenment
+Enemy of the Guildpact
+Energizer
+Energy Bolt
+Energy Field
+Energy Flux
+Energy Refractor
+Energy Storm
+Enfeeblement
+Enforcer Griffin
+Engineered Might
+Engineered Plague
+Engulfing Eruption
+Engulfing Flames
+Engulfing Slagwurm
+Engulf the Shore
+Enhanced Awareness
+Enhanced Surveillance
+Enigma Drake
+Enigma Ridges
+Enigma Sphinx
+Enigma Sphinx Avatar
+Enigma Thief
+Enigmatic Incarnation
+Enlarge
+Enlightened Ascetic
+Enlightened Maniac
+Enlightened Tutor
+Enlisted Wurm
+Enlistment Officer
+Enormous Baloth
+Enormous Energy Blade
+Enrage
+Enraged Ceratok
+Enraged Giant
+Enraged Huorn
+Enraged Killbot
+Enraged Revolutionary
+Enshrined Memories
+Enshrouding Mist
+Enslave
+Enslaved Dwarf
+Enslaved Horror
+Enslaved Scout
+Ensnared by the Mara
+Ensnaring Bridge
+Ensoul Artifact
+Ensouled Scimitar
+Entangler
+Entangling Trap
+Entangling Vines
+Ent-Draught Basin
+Entering
+Enterprising Scallywag
+Enter the Dungeon
+Enter the God-Eternals
+Enter the Infinite
+Enter the Unknown
+Enthrall
+Enthralling Hold
+Enthralling Victor
+Enthusiastic Mechanaut
+Enthusiastic Study
+Entish Restoration
+Entomb
+Entomber Exarch
+Entourage of Trest
+Entrails Feaster
+Entrapment Maneuver
+Entreat the Angels
+Entreat the Dead
+Entropic Cloud
+Entropic Decay
+Entropic Eidolon
+Entropic Specter
+Entry Denied
+Ent's Fury
+Envelop
+Environmental Sciences
+Envoy of Okinec Ahau
+Envoy of the Ancestors
+Éomer, King of Rohan
+Éomer, Marshal of Rohan
+Éomer of the Riddermark
+Eon Frolicker
+Eon Hub
+Éowyn, Fearless Knight
+Éowyn, Lady of Rohan
+Éowyn, Shieldmaiden
+Ephara, Ever-Sheltering
+Ephara, God of the Polis
+Ephara's Dispersal
+Ephara's Enlightenment
+Ephara's Radiance
+Ephara's Warden
+Ephemeral Shields
+Ephemerate
+Ephemeron
+Epic Confrontation
+Epic Downfall
+Epicenter
+Epic Proportions
+Epic Struggle
+Epicure of Blood
+Epiphany at the Drownyard
+Epistolary Librarian
+Epitaph Golem
+Epochrasite
+Equestrian Skill
+Equilibrium
+Equinox
+Equipoise
+Eradicate
+Eradicator Valkyrie
+Era of Enlightenment
+Era of Innovation
+Erase
+Erayo's Essence
+Erayo, Soratami Ascendant
+Erdwal Illuminator
+Erdwal Ripper
+Erebor Flamesmith
+Erebos, Bleak-Hearted
+Erebos, God of the Dead
+Erebos's Emissary
+Erebos's Intervention
+Erebos's Titan
+Erestor of the Council
+Erg Raiders
+Erhnam Djinn
+Erhnam Djinn Avatar
+Eriette of the Charmed Apple
+Eriette's Lullaby
+Eriette's Tempting Apple
+Eriette's Whisper
+Eriette, the Beguiler
+Erinis, Gloom Stalker
+Eris, Roar of the Storm
+Erithizon
+Erkenbrand, Lord of Westfold
+Eroded Canyon
+Eron the Relentless
+Erosion
+Errand-Rider of Gondor
+Errant and Giada
+Errant Doomsayers
+Errant Ephemeron
+Errant Minion
+Errantry
+Errant, Street Artist
+Erratic Cyclops
+Erratic Explosion
+Erratic Portal
+Erratic Visionary
+Ersta, Friend to All
+Erstwhile Trooper
+Ertai
+Ertai Resurrected
+Ertai's Familiar
+Ertai's Scorn
+Ertai's Trickery
+Ertai, Wizard Adept
+Ertha Jo, Frontier Mentor
+Erupting Dreadwolf
+Eruth, Tormented Prophet
+Escape Artist
+Escape Detection
+Escaped Experiment
+Escaped Null
+Escaped Shapeshifter
+Escape from Orthanc
+Escape Protocol
+Escape Routes
+Escape to the Wilds
+Escape Tunnel
+Escape Velocity
+Escarpment Fortress
+Esika, God of the Tree
+Esika's Chariot
+Esior, Wardwing Familiar
+Esoteric Duplicator
+Esper
+Esper Battlemage
+Esper Charm
+Esper Cormorants
+Esper Panorama
+Esper Sentinel
+Esper Stormblade
+Esperzoa
+Esquire of the King
+Essence Backlash
+Essence Capture
+Essence Channeler
+Essence Depleter
+Essence Drain
+Essence Extraction
+Essence Feed
+Essence Filter
+Essence Flux
+Essence Fracture
+Essence Harvest
+Essence Infusion
+Essence Leak
+Essence of Antiquity
+Essence of Orthodoxy
+Essence of the Wild
+Essence Pulse
+Essence Reliquary
+Essence Scatter
+Essence Sliver
+Essence Symbiote
+Essence Vortex
+Essence Warden
+Estrid's Invocation
+Estrid, the Masked
+Estwald Shieldbasher
+Etali, Primal Conqueror
+Etali, Primal Sickness
+Etali, Primal Storm
+Etali's Favor
+Etched Champion
+Etched Familiar
+Etched Host Doombringer
+Etched Monstrosity
+Etched Oracle
+Etched Oracle Avatar
+Etched Slith
+Etching of Kumano
+Etchings of the Chosen
+Eternal Dominion
+Eternal Dragon
+Eternal Flame
+Eternal Isolation
+Eternal of Harsh Truths
+Eternal Scourge
+Eternal Skylord
+Eternal Taskmaster
+Eternal Thirst
+Eternal Warrior
+Eternal Witness
+Eternity Snare
+Eternity Vessel
+Ethercaste Knight
+Ethereal Absolution
+Ethereal Ambush
+Ethereal Armor
+Ethereal Elk
+Ethereal Escort
+Ethereal Forager
+Ethereal Grasp
+Ethereal Guidance
+Ethereal Haze
+Ethereal Investigator
+Ethereal Usher
+Ethereal Valkyrie
+Ethereal Whiskergill
+Etherium Abomination
+Etherium Astrolabe
+Etherium-Horn Sorcerer
+Etherium Pteramander
+Etherium Sculptor
+Etherium Spinner
+Ethersworn Adjudicator
+Ethersworn Canonist
+Ethersworn Shieldmage
+Ethersworn Sphinx
+Ether Well
+Etrata, Deadly Fugitive
+Etrata, the Silencer
+Ettercap
+Eureka
+Eureka Moment
+Euroakus
+Eutropia the Twice-Favored
+Evacuation
+Evanescent Intellect
+Evangelize
+Evangel of Heliod
+Evangel of Synthesis
+Evaporate
+Evasive Action
+Evelyn, the Covetous
+Even the Odds
+Even the Score
+Ever After
+Everbark Shaman
+Evercoat Ursine
+Everdawn Champion
+Everdream
+Everflame Eidolon
+Everflowing Chalice
+Everglades
+Everglove Courier
+Everlasting Torment
+Evermind
+Evernight Shade
+Everquill Phoenix
+Ever-Watching Threshold
+Everybody Lives!
+Every Dream a Nightmare
+Every Hope Shall Vanish
+Every Last Vestige Shall Rot
+Everything Comes to Dust
+Evidence Examiner
+Evie Frye
+Evil Boros Charm
+Evil Comes to Fruition
+Evil Eye of Orms-by-Gore
+Evil Eye of Urborg
+Evil Presence
+Evil Twin
+Evincar's Justice
+Eviscerate
+Eviscerator
+Eviscerator's Insight
+Evolutionary Escalation
+Evolution Sage
+Evolution Vat
+Evolution Witness
+Evolved Sleeper
+Evolved Spinoderm
+Evolving Adaptive
+Evolving Door
+Evolving Wilds
+Evra, Halcyon Witness
+Exalted Angel
+Exalted Dragon
+Exalted Flamer of Tzeentch
+Exava, Rakdos Blood Witch
+Excalibur, Sword of Eden
+Excavated Wall
+Excavating Anurid
+Excavation
+Excavation Elephant
+Excavation Explosion
+Excavation Mole
+Excavation Technique
+Excess
+Excise
+Excise the Imperfect
+Exclude
+Exclusion Mage
+Exclusion Ritual
+Excogitator Sphinx
+Excommunicate
+Excoriate
+Excruciator
+Execute
+Executioner's Capsule
+Executioner's Hood
+Executioner's Swing
+Exemplar of Strength
+Exhaustion
+Exhibition Magician
+Exhilarating Elocution
+Exhume
+Exhumer Thrull
+Exile
+Exiled Boggart
+Exiled Doomsayer
+Exile into Darkness
+Exit Specialist
+Exocrine
+Exorcist
+Exoskeletal Armor
+Exotic Curse
+Exotic Disease
+Exotic Orchard
+Exotic Pets
+Expanded Anatomy
+Expanding Ooze
+Expand the Sphere
+Expansion
+Expedite
+Expedited Inheritance
+Expedition Champion
+Expedition Diviner
+Expedition Envoy
+Expedition Healer
+Expedition Lookout
+Expedition Map
+Expedition Raptor
+Expedition Skulker
+Expedition Supplier
+Expel
+Expel from Orazca
+Expel the Interlopers
+Expel the Unworthy
+Expendable Lackey
+Expendable Troops
+Expensive Taste
+Experimental Augury
+Experimental Aviator
+Experimental Confectioner
+Experimental Frenzy
+Experimental Overload
+Experimental Pilot
+Experimental Synthesizer
+Experiment One
+Experiment Twelve
+Expert-Level Safe
+Exploding Borders
+Exploration
+Explore
+Explorer's Cache
+Explorer's Scope
+Explore the Underdark
+Explore the Vastlands
+Explosion
+Explosion of Riches
+Explosive Apparatus
+Explosive Crystal
+Explosive Derailment
+Explosive Entry
+Explosive Growth
+Explosive Impact
+Explosive Revelation
+Explosive Singularity
+Explosive Vegetation
+Explosive Welcome
+Expose Evil
+Expose the Culprit
+Expose to Daylight
+Expressive Iteration
+Expropriate
+Expunge
+Exquisite Archangel
+Exquisite Blood
+Exquisite Firecraft
+Exquisite Huntmaster
+Exsanguinate
+Exsanguinator Cavalry
+Exterminate!
+Exterminator Magmarch
+Exterminatus
+Extinction
+Extinction Event
+Extinguish
+Extinguish All Hope
+Extinguish the Light
+Extirpate
+Extortion
+Extra Arms
+Extract a Confession
+Extract Brain
+Extract from Darkness
+Extraction Specialist
+Extractor Demon
+Extract the Truth
+Extraordinary Journey
+Extraplanar Lens
+Extravagant Replication
+Extricator of Flesh
+Extricator of Sin
+Extruder
+Extus, Oriq Overlord
+Exuberant Firestoker
+Exuberant Fuseling
+Exuberant Wolfbear
+Exultant Cultist
+Exultant Skymarcher
+Eyeblight Assassin
+Eyeblight Cullers
+Eyeblight Massacre
+Eyeblight's Ending
+Eye Collector
+Eye for an Eye
+Eye Gouge
+Eyeless Watcher
+Eye of Duskmantle
+Eye of Malcator
+Eye of Nowhere
+Eye of Ugin
+Eye of Vecna
+Eye of Yawgmoth
+Eyes Everywhere
+Eyes in the Skies
+Eyes of Gitaxias
+Eyes of the Beholder
+Eyes of the Wisent
+Eyetwitch
+Ezio Auditore da Firenze
+Ezio, Blade of Vengeance
+Ezio, Brash Novice
+Ezrim, Agency Chief
+Ezuri, Claw of Progress
+Ezuri, Renegade Leader
+Ezuri's Archers
+Ezuri's Brigade
+Ezuri's Predation
+Ezuri, Stalker of Spheres
+Ezzaroot Channeler
+Fa'adiyah Seer
+Fabled Hero
+Fabled Passage
+Fabled Path of Searo Point
+Fable of the Mirror-Breaker
+Fable of Wolf and Owl
+Fabricate
+Fabrication Module
+Faceless Agent
+Faceless Butcher
+Faceless Devourer
+Faceless Haven
+Face of Divinity
+Face of Fear
+Faces of the Past
+Face to Face
+Facet Reader
+Facevaulter
+Fact or Fiction
+Fade from History
+Fade from Memory
+Fade into Antiquity
+Fading Hope
+Fae Flight
+Fae Offering
+Fae of Wishes
+Faerie Artisans
+Faerie Bladecrafter
+Faerie Conclave
+Faerie Dragon
+Faerie Dreamthief
+Faerie Duelist
+Faerie Fencing
+Faerie Formation
+Faerie Guidemother
+Faerie Harbinger
+Faerie Impostor
+Faerie Invaders
+Faerie Macabre
+Faerie Mastermind
+Faerie Mechanist
+Faerie Miscreant
+Faerie Noble
+Faerie Seer
+Faerie Slumber Party
+Faerie Snoop
+Faerie Squadron
+Faerie Swarm
+Faerie Tauntings
+Faerie Trickery
+Faerie Vandal
+Failed Conversion
+Failed Fording
+Failed Inspection
+Failure
+Fain, the Broker
+Fairgrounds Patrol
+Fairgrounds Trumpeter
+Fairgrounds Warden
+Faithbearer Paladin
+Faithbound Judge
+Faithful Disciple
+Faithful Mending
+Faithful Squire
+Faithful Watchdog
+Faithless Salvaging
+Faith of the Devoted
+Faith's Fetters
+Faith's Reward
+Faith Unbroken
+Fake Your Own Death
+Falcon Abomination
+Falconer Adept
+Falco Spara, Pactweaver
+Faldorn, Dread Wolf Herald
+Falkenrath Aristocrat
+Falkenrath Celebrants
+Falkenrath Exterminator
+Falkenrath Forebear
+Falkenrath Gorger
+Falkenrath Marauders
+Falkenrath Noble
+Falkenrath Perforator
+Falkenrath Pit Fighter
+Falkenrath Reaver
+Fall
+Fallaji Antiquarian
+Fallaji Archaeologist
+Fallaji Chaindancer
+Fallaji Dragon Engine
+Fallaji Excavation
+Fallaji Vanguard
+Fallaji Wayfarer
+Fallen Angel
+Fallen Angel Avatar
+Fallen Askari
+Fallen Cleric
+Fallen Ferromancer
+Fallen Ideal
+Fallen Shinobi
+Fall from Favor
+Falling Star
+Falling Timber
+Fall of Cair Andros
+Fall of Gil-galad
+Fall of the First Civilization
+Fall of the Gavel
+Fall of the Hammer
+Fall of the Impostor
+Fall of the Thran
+Fall of the Titans
+Fallow Earth
+Fallowsage
+Fallow Wurm
+False Cure
+False Defeat
+False Demise
+False Floor
+False Memories
+False Mourning
+False Prophet
+False Summoning
+Falthis, Shadowcat Familiar
+Fame
+Familiar Ground
+Family Reunion
+Family's Favor
+Famine
+Famished Foragers
+Famished Paladin
+Fanatical Fever
+Fanatical Firebrand
+Fanatical Offering
+Fanatical Strength
+Fanatic of Mogis
+Fanatic of Rhonas
+Fanatic of Xenagos
+Fan Bearer
+Fan Favorite
+Fangblade Brigand
+Fangblade Eviscerator
+Fang Dragon
+Fanged Flames
+Fang of Shigeki
+Fang of the Pack
+Fangorn, Tree Shepherd
+Fangren Firstborn
+Fangren Hunter
+Fangren Marauder
+Fangren Pathcutter
+Fang Skulkin
+Fangs of Kalonia
+Fanning the Flames
+Far
+Faramir, Field Commander
+Faramir, Steward of Gondor
+Farbog Boneflinger
+Farbog Explorer
+Farbog Revenant
+Farewell
+Farfinder
+Farhaven Elf
+Farideh, Devil's Chosen
+Farideh's Fireball
+Farid, Enterprising Salvager
+Farm
+Farmer Cotton
+Farmstead
+Farmstead Gleaner
+Farrel's Mantle
+Farrel's Zealot
+Farseek
+Farsight Adept
+Farsight Mask
+Farsight Ritual
+Far Traveler
+Far Wanderings
+Fast
+Fastbond
+Fatal Blow
+Fatal Frenzy
+Fatal Fumes
+Fatal Grudge
+Fatal Push
+Fated Conflagration
+Fated Infatuation
+Fated Intervention
+Fated Retribution
+Fated Return
+Fate Foretold
+Fate Forgotten
+Fateful Absence
+Fateful End
+Fateful Handoff
+Fateful Showdown
+Fatespinner
+Fates' Reversal
+Fate Unraveler
+Fathom Feeder
+Fathom Fleet Boarder
+Fathom Fleet Captain
+Fathom Fleet Cutthroat
+Fathom Fleet Firebrand
+Fathom Fleet Swordjack
+Fathom Mage
+Fathom Seer
+Fathom Trawl
+Faultgrinder
+Fault Line
+Fauna Shaman
+Faunsbane Troll
+Favorable Destiny
+Favorable Winds
+Favored Enemy
+Favored Hoplite
+Favored of Iroas
+Favor of Jukai
+Favor of the Mighty
+Favor of the Overbeing
+Favor of the Woods
+Fblthp, Lost on the Range
+Fblthp, the Lost
+Fealty to the Realm
+Fear
+Fear, Fire, Foes!
+Fearful Villager
+Fearless Fledgling
+Fearless Halberdier
+Fearless Liberator
+Fearless Pup
+Fearless Skald
+Fear of Death
+Fear of Missing Out
+Fearsome Awakening
+Fearsome Temper
+Fearsome Werewolf
+Fearsome Whelp
+Feaster of Fools
+Feasting Hobbit
+Feasting Troll King
+Feast of Blood
+Feast of Dreams
+Feast of Flesh
+Feast of Sanity
+Feast of Succession
+Feast of the Unicorn
+Feast of the Victorious Dead
+Feast of Worms
+Feast on the Fallen
+Feast or Famine
+Feather of Flight
+Feather, Radiant Arbiter
+Feather, the Redeemed
+Feat of Resistance
+Fecund Greenshell
+Fecundity
+Feebleness
+Feed
+Feedback
+Feedback Bolt
+Feeding Frenzy
+Feeding Grounds
+Feed the Cauldron
+Feed the Clan
+Feed the Cycle
+Feed the Infection
+Feed the Machine
+Feed the Serpent
+Feed the Swarm
+Feeling of Dread
+Feign Death
+Feisty Stegosaurus
+Feiyi Snake
+Feldon of the Third Path
+Feldon, Ronom Excavator
+Feldon's Cane
+Felhide Brawler
+Felhide Minotaur
+Felhide Petrifier
+Felhide Spiritbinder
+Felidar Cub
+Felidar Guardian
+Felidar Retreat
+Felidar Sovereign
+Felidar Umbra
+Feline Sovereign
+Felisa, Fang of Silverquill
+Felix Five-Boots
+Fell
+Fell Beast of Mordor
+Fell Beast's Shriek
+Fell Flagship
+Fell Horseman
+Fell Mire
+Fell Shepherd
+Fell Specter
+Fell Stinger
+Fell the Mighty
+Fell the Pheasant
+Fell the Profane
+Fellwar Stone
+Felonious Rage
+Femeref Archers
+Femeref Enchantress
+Femeref Healer
+Femeref Knight
+Femeref Scouts
+Fencer Clique
+Fencer's Magemark
+Fencing Ace
+Fen Hauler
+Fen Stalker
+Feral Abomination
+Feral Animist
+Feral Encounter
+Feral Ghoul
+Feral Hydra
+Feral Incarnation
+Feral Instinct
+Feral Invocation
+Feral Krushok
+Feral Lightning
+Feral Maaka
+Feral Prowler
+Feral Ridgewolf
+Feral Roar
+Feral Shadow
+Feral Thallid
+Feral Throwback
+Ferocification
+Ferocious Charge
+Ferocious Pup
+Ferocious Tigorilla
+Ferocious Werefox
+Ferocious Zheng
+Ferocity
+Ferocity of the Wilds
+Feroz's Ban
+Ferropede
+Ferrovore
+Fertile Footsteps
+Fertile Thicket
+Fertilid
+Fertilid's Favor
+Fervent Cathar
+Fervent Champion
+Fervent Charge
+Fervent Denial
+Fervent Mastery
+Fervent Paincaster
+Fervent Strike
+Fervor
+Festercreep
+Festergloom
+Festerhide Boar
+Festering Evil
+Festering Goblin
+Festering Gulch
+Festering March
+Festering Mummy
+Festering Newt
+Festering Wound
+Festerleech
+Festival Crasher
+Festival of Embers
+Festival of Trokin
+Festive Funeral
+Fetch Quest
+Fetid Gargantua
+Fetid Horror
+Fetid Imp
+Fetid Pools
+Feudkiller's Verdict
+Fever Charm
+Fevered Convulsions
+Fevered Strength
+Fevered Suspicion
+Fevered Visions
+Fey Steed
+Feywild Caretaker
+Feywild Trickster
+Feywild Visitor
+Fibrous Entangler
+Fickle Efreet
+Fiddlehead Kami
+Field Creeper
+Field Marshal
+Fieldmist Borderpost
+Field of Reality
+Field of Ruin
+Field of Souls
+Field of the Dead
+Field Research
+Fields of Summer
+Field Surgeon
+Field-Tested Frying Pan
+Field Trip
+Fiend Binder
+Fiend Hunter
+Fiendish Duo
+Fiendlash
+Fiend of the Shadows
+Fiendslayer Paladin
+Fierce Empath
+Fierce Guardianship
+Fierce Invocation
+Fierce Retribution
+Fierce Witchstalker
+Fiery Cannonade
+Fiery Conclusion
+Fiery Confluence
+Fiery Emancipation
+Fiery Encore
+Fiery Fall
+Fiery Finish
+Fiery Hellhound
+Fiery Impulse
+Fiery Inscription
+Fiery Intervention
+Fiery Islet
+Fiery Justice
+Fiery Mantle
+Fiery Temper
+Fifty Feet of Rope
+Fight
+Fight as One
+Fighter Class
+Fighting Drake
+Fight or Flight
+Fight Rigging
+Fight to the Death
+Fight with Fire
+Figure of Destiny
+Figure of Destiny Avatar
+Filigree Angel
+Filigree Attendant
+Filigree Crawler
+Filigree Familiar
+Filigree Fracture
+Filigree Racer
+Filigree Sages
+Filigree Vector
+Fill with Fright
+Filter Out
+Filth
+Filthy Cur
+Final Act
+Final Death
+Finale of Devastation
+Finale of Eternity
+Finale of Glory
+Finale of Promise
+Finale of Revelation
+Final Flourish
+Final Iteration
+Finality
+Final Judgment
+Final Parting
+Final Payment
+Final Punishment
+Final Reward
+Final Showdown
+Final-Sting Faerie
+Final-Word Phantom
+Finch Formation
+Fin-Clade Fugitives
+Find
+Find the Path
+Finest Hour
+Finish
+Finishing Blow
+Finneas, Ace Archer
+Firbolg Flutist
+Fire
+Fire Ambush
+Fire Ants
+Fire at Will
+Fireball
+Fire-Belly Changeling
+Fireblade Charger
+Fireblast
+Firebolt
+Fireborn Knight
+Fire Bowman
+Firebrand Archer
+Firebrand Ranger
+Firebreathing
+Firecannon Blast
+Fire Diamond
+Fire Dragon
+Fire Drake
+Fire Elemental
+Fire-Field Ogre
+Firefiend Elemental
+Firefist Adept
+Firefist Striker
+Fireflux Squad
+Firefly
+Fireforger's Puzzleknot
+Fire Giant's Fury
+Fireglass Mentor
+Firehoof Cavalry
+Fire Imp
+Fire Juggler
+Firemane Angel
+Firemane Avenger
+Firemane Commando
+Firemantle Mage
+Firemaw Kavu
+Firemind's Foresight
+Firemind's Research
+Fire of Orthanc
+Fire-Omen Crane
+Fire Prophecy
+Firescreamer
+Fire Servant
+Fireshrieker
+Fire Shrine Keeper
+Fireslinger
+Fire Snake
+Fires of Invention
+Fires of Mount Doom
+Fires of Undeath
+Fires of Victory
+Fires of Yavimaya
+Firesong and Sunspeaker
+Firestorm Hellkite
+Firestorm Phoenix
+Fire Tempest
+Fire Urchin
+Firewake Sliver
+Fire Whip
+Firewild Borderpost
+Firewing Phoenix
+Firja, Judge of Valor
+Firja's Retribution
+Firkraag, Cunning Instigator
+Firmament Sage
+First Day of Class
+First Little Pig
+First Responder
+First Response
+First Sliver's Chosen
+First-Sphere Gargantua
+First Volley
+Fisher's Talent
+Fishliver Oil
+Fissure
+Fissure Vent
+Fissure Wizard
+Fistful of Force
+Fist of Suns
+Fists of Flame
+Fists of Ironwood
+Fists of the Anvil
+Fists of the Demigod
+Fit of Rage
+Five-Alarm Fire
+Five Hundred Year Diary
+Fixed Point in Time
+Flagstones of Trokair
+Flailing Drake
+Flameblade Adept
+Flameblade Angel
+Flameblast Dragon
+Flame-Blessed Bolt
+Flame Blitz
+Flameborn Hellion
+Flameborn Viron
+Flamebreak
+Flame Burst
+Flamecache Gecko
+Flamecast Wheel
+Flame Channeler
+Flamecore Elemental
+Flame Discharge
+Flame Elemental
+Flameheart Werewolf
+Flame Jab
+Flame Javelin
+Flame Jet
+Flamekin Bladewhirl
+Flamekin Brawler
+Flamekin Harbinger
+Flamekin Herald
+Flamekin Spitfire
+Flamekin Village
+Flame-Kin Zealot
+Flame Lash
+Flame of Anor
+Flame Rift
+Flamerush Rider
+Flamescroll Celebrant
+Flameshadow Conjuring
+Flameskull
+Flame Slash
+Flames of Moradin
+Flames of the Blood Hand
+Flames of the Firebrand
+Flames of the Raze-Boar
+Flamespeaker Adept
+Flamespeaker's Will
+Flame Spill
+Flame Spirit
+Flamestick Courier
+Flame Sweep
+Flamethrower Sonata
+Flametongue Kavu
+Flametongue Kavu Avatar
+Flametongue Yearling
+Flamewake Phoenix
+Flamewar, Brash Veteran
+Flamewar, Streetwise Operative
+Flame Wave
+Flamewave Invoker
+Flame-Wreathed Phoenix
+Flamewright
+Flaming Fist
+Flaming Fist Duskguard
+Flaming Fist Officer
+Flaming Gambit
+Flaming Sword
+Flaming Tyrannosaurus
+Flanking Troops
+Flare
+Flare of Cultivation
+Flare of Denial
+Flare of Duplication
+Flare of Faith
+Flare of Fortitude
+Flare of Malice
+Flaring Flame-Kin
+Flash Conscription
+Flash Counter
+Flashfires
+Flash Flood
+Flash Foliage
+Flashfreeze
+Flatline
+Flatten
+Flawless Forgery
+Flawless Maneuver
+Flaxen Intruder
+Flay
+Flayed Nim
+Flayed One
+Flayer Drone
+Flayer Husk
+Flayer of Loyalties
+Flayer of the Hatebound
+Flay Essence
+Flaying Tendrils
+Fledgling Djinn
+Fledgling Dragon
+Fledgling Griffin
+Fledgling Imp
+Fledgling Mawcor
+Fledgling Osprey
+Fleecemane Lion
+Fleetfeather Cockatrice
+Fleetfeather Sandals
+Fleetfoot Dancer
+Fleet-Footed Monk
+Fleetfoot Panther
+Fleeting Aven
+Fleeting Distraction
+Fleeting Image
+Fleeting Memories
+Fleeting Reflection
+Fleet Swallower
+Fleetwheel Cruiser
+Flensermite
+Flensing Raptor
+Flesh
+Flesh Allergy
+Fleshbag Marauder
+Flesh Carver
+Flesh Duplicate
+Flesh-Eater Imp
+Fleshformer
+Fleshgrafter
+Fleshless Gladiator
+Fleshmad Steed
+Fleshpulper Giant
+Fleshtaker
+Flesh to Dust
+Fleshwrither
+Flick a Coin
+Flickering Spirit
+Flickerwisp
+Flight
+Flight of Equenauts
+Flight of Fancy
+Flight Spellbomb
+Fling
+Flint Golem
+Flinthoof Boar
+Flip the Switch
+Flitterstep Eidolon
+Flitting Guerrilla
+Floating-Dream Zubera
+Flockchaser Phantom
+Flock of Rabid Sheep
+Flood
+Flooded Strand
+Flooded Woodlands
+Floodgate
+Floodhound
+Flood of Recollection
+Flood of Tears
+Flood Plain
+Floodwaters
+Floral Spuzzem
+Florian, Voldaren Scion
+Floriferous Vinewall
+Flotsam
+Flourish
+Flourishing Bloom-Kin
+Flourishing Defenses
+Flourishing Fox
+Flourishing Hunter
+Flourishing Strike
+Flower
+Flowerfoot Swordmaster
+Flowering Field
+Flowering Lumberknot
+Flowering of the White Tree
+Flow of Ideas
+Flow of Knowledge
+Flow of Maggots
+Flowstone Armor
+Flowstone Blade
+Flowstone Channeler
+Flowstone Charger
+Flowstone Crusher
+Flowstone Embrace
+Flowstone Flood
+Flowstone Giant
+Flowstone Hellion
+Flowstone Infusion
+Flowstone Kavu
+Flowstone Mauler
+Flowstone Overseer
+Flowstone Salamander
+Flowstone Sculpture
+Flowstone Shambler
+Flowstone Strike
+Flowstone Thopter
+Flowstone Wall
+Flowstone Wyvern
+Flubs, the Fool
+Fluctuator
+Flummoxed Cyclops
+Flumph
+Flunk
+Flurry of Horns
+Flusterstorm
+Flutterfox
+Flux Channeler
+Fly
+Flycatcher Giraffid
+Flying Carpet
+Flying Crane Technique
+Flying Men
+Flywheel Racer
+Foam Weapons Kiosk
+Fodder Cannon
+Fodder Launch
+Fodder Tosser
+Foe-Razer Regent
+Fog
+Fog Bank
+Fog Elemental
+Fog of Gnats
+Fog of War
+Fog on the Barrow-Downs
+Fogwalker
+Foil
+Fold into Aether
+Folk Hero
+Folk Medicine
+Folk of An-Havva
+Folk of the Pines
+Followed Footsteps
+Follow Him
+Follow the Bodies
+Follow the Tracks
+Fomori Nomad
+Fomori Vault
+Font of Agonies
+Font of Fertility
+Font of Fortunes
+Font of Ire
+Font of Magic
+Font of Mythos
+Font of Progress
+Font of Return
+Font of Vigor
+Food Coma
+Food Fight
+Fool's Demise
+Fool's Tome
+Footfall Crater
+Foothill Guide
+Footlight Fiend
+Foot Soldiers
+Footsteps of the Goryo
+Foratog
+Foray of Orcs
+Forbidden Alchemy
+Forbidden Friendship
+Forbidden Lore
+Forbidden Orchard
+Forbidding Spirit
+Forbidding Watchtower
+Force Away
+Force Bubble
+Forced Adaptation
+Forced Fruition
+Forced Landing
+Forced Retreat
+Forced Worship
+Forcefield
+Forceful Cultivator
+Forceful Denial
+Forcemage Advocate
+Force of Despair
+Force of Nature
+Force of Negation
+Force of Rage
+Force of Savagery
+Force of Vigor
+Force of Will
+Force Spike
+Force Void
+For Each of You, a Gift
+Forebear's Blade
+Foreboding Fruit
+Foreboding Landscape
+Foreboding Ruins
+Foreboding Statue
+Foreboding Steamboat
+Forensic Gadgeteer
+Forensic Researcher
+Forerunner of Slaughter
+Forerunner of the Coalition
+Forerunner of the Empire
+Forerunner of the Heralds
+Forerunner of the Legion
+Foresee
+Forest
+Forest Bear
+Forethought Amulet
+Forever Young
+Forge Anew
+Forgeborn Oreads
+Forgeborn Phoenix
+Forge Boss
+Forge Devil
+Forgefire Automaton
+Forgehammer Centurion
+Forge, Neverwinter Charlatan
+Forge of Heroes
+Forger's Foundry
+Forgestoker Dragon
+Forget
+Forging the Anchor
+Forging the Tyrite Sword
+Forgotten Ancient
+Forgotten Cave
+Forgotten Creation
+Forgotten Harvest
+Forgotten Monument
+Forgotten Sentinel
+Foriysian Brigade
+Foriysian Interceptor
+Foriysian Totem
+Fork
+Forked Bolt
+Forked-Branch Garami
+Forked Lightning
+Fork in the Road
+Forktail Sweep
+Forlorn Flats
+Forlorn Pseudamma
+Form a Posse
+Formation
+Formless Nurturing
+Form of the Dinosaur
+Form of the Dragon
+Form of the Squirrel
+Forsaken Crossroads
+Forsaken Drifters
+Forsaken Miner
+Forsaken Monument
+Forsaken Sanctuary
+Forsaken Thresher
+Forsaken Wastes
+Forsake the Worldly
+Forsworn Paladin
+For the Ancestors
+For the Common Good
+For the Emperor!
+For the Family
+Forth Eorlingas!
+Fortified Beachhead
+Fortified Rampart
+Fortified Village
+Fortify
+Fortifying Draught
+Fortifying Provisions
+Fortress Crab
+Fortress Cyclops
+Fortuitous Find
+Fortunate Few
+Fortune, Loyal Steed
+Fortune's Favor
+Fortune Teller
+Fortune Teller's Talent
+Fortune Thief
+Forum Familiar
+Foster
+Foul Emissary
+Foul Familiar
+Foul Imp
+Foulmire Knight
+Foul Orchard
+Foul Play
+Foul Presence
+Foul Rebirth
+Foul Renewal
+Foul Spirit
+Foul-Tongue Invocation
+Foul Watcher
+Foundation Breaker
+Founding the Third Path
+Foundry Assembler
+Foundry Beetle
+Foundry Champion
+Foundry Groundbreaker
+Foundry Helix
+Foundry Hornet
+Foundry Inspector
+Foundry of the Consuls
+Foundry Screecher
+Foundry Street Denizen
+Fountain of Cho
+Fountain of Ichor
+Fountain of Renewal
+Fountain of Youth
+Fountainport
+Fountainport Bell
+Fountain Watch
+Four Knocks
+Fourth Bridge Prowler
+Fowl Play
+Fowl Strike
+Foxfire Oak
+Fractal Harness
+Fractal Summoning
+Fracture
+Fractured Identity
+Fractured Loyalty
+Fractured Powerstone
+Fractured Sanity
+Fracturing Gust
+Fragmentize
+Fragment of Konda
+Fragment Reality
+Francisco, Fowl Marauder
+Frankenstein's Monster
+Frantic Firebolt
+Frantic Inventory
+Frantic Purification
+Frantic Scapegoat
+Frantic Search
+Fraying Line
+Fraying Omnipotence
+Fraying Sanity
+Frazzle
+Free-for-All
+Free from Flesh
+Freejam Regent
+Freelance Muscle
+Freestrider Commando
+Freestrider Lookout
+Free the Fae
+Freewind Equenaut
+Freewind Falcon
+Freeze in Place
+Frenemy of the Guildpact
+Frenetic Efreet
+Frenetic Efreet Avatar
+Frenetic Raptor
+Frenzied Arynx
+Frenzied Devils
+Frenzied Fugue
+Frenzied Geistblaster
+Frenzied Goblin
+Frenzied Gorespawn
+Frenzied Rage
+Frenzied Raider
+Frenzied Raptor
+Frenzied Saddlebrute
+Frenzied Tilling
+Frenzied Trapbreaker
+Frenzy Sliver
+Fresh-Faced Recruit
+Fresh Volunteers
+Fretwork Colony
+Freyalise, Llanowar's Fury
+Freyalise's Charm
+Freyalise, Skyshroud Partisan
+Freyalise's Radiance
+Freyalise's Winds
+Friendly Rivalry
+Frightcrawler
+Frightful Delusion
+Frightshroud Courier
+Frilled Cave-Wurm
+Frilled Deathspitter
+Frilled Mystic
+Frilled Oculus
+Frilled Sandwalla
+Frilled Sea Serpent
+Frilled Sparkshooter
+Frillscare Mentor
+Frodo, Adventurous Hobbit
+Frodo Baggins
+Frodo, Determined Hero
+Frodo, Sauron's Bane
+Froghemoth
+Frogify
+Frogkin Kidnapper
+Frogmite
+Frogmyr Enforcer
+Frog Tongue
+Frogtosser Banneret
+Frolicking Familiar
+From Beyond
+From the Ashes
+From the Catacombs
+From the Rubble
+From Under the Floorboards
+Frondland Felidar
+Frontier Bivouac
+Frontier Explorer
+Frontier Guide
+Frontier Mastodon
+Frontier Seeker
+Frontier Siege
+Frontier Warmonger
+Frontline Devastator
+Frontline Medic
+Frontline Rebel
+Frontline Sage
+Frontline Strategist
+Frost Augur
+Frost Bite
+Frostboil Snarl
+Frost Breath
+Frostbridge Guard
+Frostburn Weird
+Frost Fair Lure Fish
+Frostfist Strider
+Frost Giant
+Frostling
+Frost Lynx
+Frost Marsh
+Frost Ogre
+Frostpeak Yeti
+Frostpyre Arcanist
+Frost Raptor
+Frost Titan
+Frost Trickster
+Frostveil Ambush
+Frostwalk Bastion
+Frost Walker
+Frostwalla
+Frostweb Spider
+Frostwielder
+Frostwind Invoker
+Frozen Aether
+Frozen Shade
+Frozen Solid
+Fruitcake Elemental
+Fruition
+Fruit of the First Tree
+Fruit of Tizerus
+Fry
+Fuel for the Cause
+Fugitive Codebreaker
+Fugitive Druid
+Fugitive of the Judoon
+Fugitive Wizard
+Fugue
+Fulgent Distraction
+Full Flowering
+Full Moon's Rise
+Full Steam Ahead
+Fully Grown
+Fulminator Mage
+Fumarole
+Fumble
+Fume Spitter
+Fumigate
+Fumiko the Lowblood
+Fuming Effigy
+Funeral Charm
+Funeral Longboat
+Funeral March
+Funeral Rites
+Fungal Behemoth
+Fungal Bloom
+Fungal Fortitude
+Fungal Infection
+Fungal Plots
+Fungal Rebirth
+Fungal Shambler
+Fungal Sprouting
+Fungusaur
+Fungus Frolic
+Fungus Sliver
+Funnel-Web Recluse
+Furgul, Quag Nurturer
+Furious
+Furious Assault
+Furious Bellow
+Furious Reprisal
+Furious Resistance
+Furious Rise
+Furious Spinesplitter
+Furnace-Blessed Conqueror
+Furnace Celebration
+Furnace Dragon
+Furnace Gremlin
+Furnace Hellkite
+Furnace Host Charger
+Furnace Layer
+Furnace of Rath
+Furnace Punisher
+Furnace Reins
+Furnace Scamp
+Furnace Skullbomb
+Furnace Spirit
+Furnace Strider
+Furnace Whelp
+Furor of the Bitten
+Furtive Analyst
+Furtive Courier
+Furtive Homunculus
+Fury
+Furyblade Vampire
+Furyborn Hellkite
+Furycalm Snarl
+Fury of the Horde
+Fury Sliver
+Furystoke Giant
+Fury Storm
+Fusion Elemental
+Fuss
+Future Sight
+Futurist Operative
+Futurist Sentinel
+Futurist Spellthief
+Fylgja
+Fyndhorn Bow
+Fyndhorn Brownie
+Fyndhorn Druid
+Fyndhorn Elder
+Fyndhorn Elves
+Fyndhorn Pollen
+Fynn, the Fangbearer
+Gaddock Teeg
+Gadget Technician
+Gadrak, the Crown-Scourge
+Gadwick's First Duel
+Gadwick, the Wizened
+Gaea's Anthem
+Gaea's Avenger
+Gaea's Balance
+Gaea's Bounty
+Gaea's Courser
+Gaea's Cradle
+Gaea's Embrace
+Gaea's Gift
+Gaea's Herald
+Gaea's Might
+Gaea's Protector
+Gaea's Revenge
+Gaea's Skyfolk
+Gaea's Touch
+Gaea's Will
+Gahiji, Honored One
+Gainsay
+Galadhrim Ambush
+Galadhrim Bow
+Galadhrim Brigade
+Galadhrim Guide
+Galadriel, Elven-Queen
+Galadriel, Gift-Giver
+Galadriel, Light of Valinor
+Galadriel of Lothlórien
+Galadriel's Dismissal
+Gala Greeters
+Galazeth Prismari
+Gale, Abyssal Conduit
+Galea, Kindler of Hope
+Galecaster Colossus
+Gale, Conduit of the Arcane
+Galedrifter
+Gale Force
+Gale, Holy Conduit
+Gale, Primeval Conduit
+Galerider Sliver
+Gale's Redirection
+Gale, Storm Conduit
+Galestrike
+Gale Swooper
+Gale, Temporal Conduit
+Gale, Waterdeep Prodigy
+Galewind Moose
+Galina's Knight
+Gallant Cavalry
+Gallant Pie-Wielder
+Gallantry
+Gallia of the Endless Dance
+Gallifrey Council Chamber
+Gallifrey Falls
+Gallifrey Stands
+Galloping Lizrog
+Gallows at Willow Hill
+Gallows Warden
+Galvanic Alchemist
+Galvanic Arc
+Galvanic Blast
+Galvanic Bombardment
+Galvanic Discharge
+Galvanic Giant
+Galvanic Iteration
+Galvanic Juggernaut
+Galvanic Key
+Galvanic Relay
+Galvanize
+Galvanoth
+Gamble
+Gamekeeper
+Game Plan
+Game Preserve
+Game Trail
+Game-Trail Changeling
+Ganax, Astral Hunter
+Gandalf, Friend of the Shire
+Gandalf of the Secret Fire
+Gandalf's Sanction
+Gandalf the Grey
+Gandalf the White
+Gandalf, Westward Voyager
+Gandalf, White Rider
+Gang of Devils
+Gang of Elk
+Gangrenous Goliath
+Gangrenous Zombies
+Gang Up
+Garbage Elemental
+Garbage Fire
+Garden of Freyalise
+Gardens of Tranquil Repose
+Garenbrig Carver
+Garenbrig Growth
+Garenbrig Paladin
+Garenbrig Squire
+Gargadon
+Gargantuan Leech
+Gargantuan Slabhorn
+Gargos, Vicious Watcher
+Gargoyle Castle
+Gargoyle Flock
+Garna, Bloodfist of Keld
+Garna, the Bloodflame
+Garrison Cat
+Garrison Griffin
+Garrison Sergeant
+Garruk, Apex Predator
+Garruk, Caller of Beasts
+Garruk, Cursed Huntsman
+Garruk, Primal Hunter
+Garruk Relentless
+Garruk, Savage Herald
+Garruk's Companion
+Garruk's Gorehorn
+Garruk's Harbinger
+Garruk's Horde
+Garruk's Packleader
+Garruk's Uprising
+Garruk's Warsteed
+Garruk the Slayer
+Garruk, the Veil-Cursed
+Garruk, Unleashed
+Garruk Wildspeaker
+Garruk, Wrath of the Wilds
+Garrulous Sycophant
+Gary Clone
+Garza's Assassin
+Garza Zol, Plague Queen
+Gaseous Form
+Gatebreaker Ram
+Gate Colossus
+Gatecreeper Vine
+Gate Hound
+Gatekeeper Gargoyle
+Gatekeeper of Malakir
+Gate of the Black Dragon
+Gates Ablaze
+Gate Smasher
+Gates of Istfell
+Gate to Manorborn
+Gate to Phyrexia
+Gate to Seatower
+Gate to the Aether
+Gate to the Afterlife
+Gate to the Citadel
+Gate to Tumbledown
+Gatewatch Beacon
+Gateway Plaza
+Gateway Shade
+Gateway Sneak
+Gathan Raiders
+Gather Courage
+Gatherer of Graces
+Gathering Throng
+Gather the Pack
+Gather the Townsfolk
+Gatstaf Arsonists
+Gatstaf Howler
+Gatstaf Ravagers
+Gatstaf Shepherd
+Gauntlet of Might
+Gauntlet of Power
+Gauntlets of Light
+Gavel of the Righteous
+Gavi, Nest Warden
+Gavony
+Gavony Dawnguard
+Gavony Ironwright
+Gavony Silversmith
+Gavony Township
+Gavony Trapper
+Gavony Unhallowed
+Gaze of Adamaro
+Gaze of Justice
+Gaze of the Gorgon
+Gearbane Orangutan
+Gearseeker Serpent
+Gearshift Ace
+Gearsmith Guardian
+Gearsmith Prodigy
+Geier Reach Bandit
+Geier Reach Sanitarium
+Geistblast
+Geistcatcher's Rig
+Geistchanneler
+Geistflame
+Geistflame Reservoir
+Geist-Fueled Scarecrow
+Geist-Honored Monk
+Geistlight Snare
+Geist of Regret
+Geist of Saint Traft
+Geist of the Archives
+Geist of the Lonely Vigil
+Geist of the Moors
+Geistpack Alpha
+Geist Snatch
+Geist Trappers
+Geistwave
+Gelatinous Cube
+Gelatinous Genesis
+Gelectrode
+Gelid Shackles
+Gem Bazaar
+Gemcutter Buccaneer
+Gemhide Sliver
+Gemini Engine
+Gem of Becoming
+Gempalm Avenger
+Gempalm Incinerator
+Gempalm Polluter
+Gempalm Sorcerer
+Gempalm Strider
+Gemrazer
+Gemstone Array
+Gemstone Mine
+Genasi Enforcers
+Genasi Rabble-Rouser
+General Ferrous Rokiric
+General Kudro of Drannith
+General Marhault Elsdragon
+General's Enforcer
+General's Kabuto
+General Tazri
+Generated Horizons
+Generous Ent
+Generous Gift
+Generous Patron
+Generous Plunderer
+Generous Soul
+Generous Stray
+Generous Visitor
+Genesis
+Genesis Chamber
+Genesis Hydra
+Genesis of the Daleks
+Genesis Storm
+Genesis Ultimatum
+Genesis Wave
+Genestealer Locus
+Genestealer Patriarch
+Genju of the Cedars
+Genju of the Falls
+Genju of the Fens
+Genju of the Fields
+Genju of the Realm
+Genju of the Spires
+Genku, Future Shaper
+Geode Golem
+Geode Grotto
+Geode Rager
+Geological Appraiser
+Geology Enthusiast
+Geomancer's Gambit
+Geometric Nexus
+Geometric Weird
+Geosurge
+Geothermal Bog
+Geothermal Kami
+Geralf's Masterpiece
+Geralf's Messenger
+Geralf's Mindcrusher
+Geralf, the Fleshwright
+Geralf, Visionary Stitcher
+Gerrard
+Gerrard Capashen
+Gerrard's Battle Cry
+Gerrard's Command
+Gerrard's Hourglass Pendant
+Gerrard's Irregulars
+Gerrard's Verdict
+Gerrard's Wisdom
+Gerrard, Weatherlight Hero
+Get a Leg Up
+Getaway Car
+Getaway Glamer
+Geth, Lord of the Vault
+Geth's Grimoire
+Geth's Summons
+Geth's Verdict
+Geth, Thane of Contracts
+Get Lost
+Get the Point
+Gev, Scaled Scorch
+Geyadrone Dihada
+Geyser Drake
+Geyserfield Stalker
+Geyser Glider
+Ghalma's Warden
+Ghalma the Shaper
+Ghalta and Mavren
+Ghalta, Primal Hunger
+Ghalta, Stampede Tyrant
+Ghastbark Twins
+Ghastlord of Fugue
+Ghastly Conscription
+Ghastly Death Tyrant
+Ghastly Demise
+Ghastly Discovery
+Ghastly Gloomhunter
+Ghastly Mimicry
+Ghastly Remains
+Ghazbán Ogre
+Ghen, Arcanum Weaver
+Ghirapur
+Ghirapur Aether Grid
+Ghirapur Gearcrafter
+Ghirapur Guide
+Ghirapur Orrery
+Ghirapur Osprey
+Ghired, Conclave Exile
+Ghired, Mirror of the Wilds
+Ghired's Belligerence
+Ghitu Amplifier
+Ghitu Chronicler
+Ghitu Embercoiler
+Ghitu Encampment
+Ghitu Fire
+Ghitu Firebreathing
+Ghitu Fire-Eater
+Ghitu Journeymage
+Ghitu Lavarunner
+Ghitu Slinger
+Ghitu War Cry
+Ghor-Clan Bloodscale
+Ghor-Clan Rampager
+Ghor-Clan Savage
+Ghor-Clan Wrecker
+Ghost Ark
+Ghostblade Eidolon
+Ghost Council of Orzhova
+Ghostfire
+Ghostfire Blade
+Ghostfire Slice
+Ghostflame Sliver
+Ghostform
+Ghosthelm Courier
+Ghost Hounds
+Ghost Lantern
+Ghost-Lit Drifter
+Ghost-Lit Nourisher
+Ghost-Lit Raider
+Ghost-Lit Redeemer
+Ghost-Lit Stalker
+Ghost-Lit Warder
+Ghostly Castigator
+Ghostly Changeling
+Ghostly Flame
+Ghostly Pilferer
+Ghostly Prison
+Ghostly Sentinel
+Ghostly Visit
+Ghostly Wings
+Ghost of Ramirez DePietro
+Ghost Quarter
+Ghost Ship
+Ghosts of the Damned
+Ghosts of the Innocent
+Ghost Town
+Ghost Warden
+Ghoulcaller's Accomplice
+Ghoulcaller's Bell
+Ghoulcaller's Harvest
+Ghoulflesh
+Ghoulish Impetus
+Ghoulish Procession
+Ghoulraiser
+Ghoul's Feast
+Ghouls' Night Out
+Ghoulsteed
+Ghoultree
+Ghyrson Starn, Kelermorph
+Giada, Font of Hope
+Giant Adephage
+Giant Albatross
+Giant Ambush Beetle
+Giant Ankheg
+Giant Badger
+Giantbaiting
+Giant Beaver
+Giant Cindermaw
+Giant Cockroach
+Giant Crab
+Giant Dustwasp
+Giant Fire Beetles
+Giant Growth
+Giant Harbinger
+Giant Inheritance
+Giant Killer
+Giant Ladybug
+Giant Mantis
+Giant Octopus
+Giant Opportunity
+Giant Ox
+Giant Regrowth
+Giant's Amulet
+Giant Scorpion
+Giant Secrets
+Giant's Grasp
+Giant Shark
+Giant's Ire
+Giant Solifuge
+Giant Spectacle
+Giant Spider
+Giant's Skewer
+Giant Strength
+Giant Tortoise
+Giant Turtle
+Giant Warthog
+Gibbering Barricade
+Gibbering Fiend
+Gibbering Hyenas
+Gibbering Kami
+Gideon, Ally of Zendikar
+Gideon, Battle-Forged
+Gideon Blackblade
+Gideon, Martial Paragon
+Gideon of the Trials
+Gideon's Avenger
+Gideon's Battle Cry
+Gideon's Company
+Gideon's Defeat
+Gideon's Intervention
+Gideon's Lawkeeper
+Gideon's Phalanx
+Gideon's Reproach
+Gideon's Resolve
+Gideon's Sacrifice
+Gideon's Triumph
+Gideon, the Oathsworn
+Gifted Aetherborn
+Gift of Compleation
+Gift of Estates
+Gift of Fangs
+Gift of Granite
+Gift of Growth
+Gift of Immortality
+Gift of Orzhova
+Gift of Paradise
+Gift of Strands
+Gift of Strength
+Gift of the Deity
+Gift of the Fae
+Gift of the Gargantuan
+Gift of the Viper
+Gift of the Woods
+Gift of Wrath
+Gifts Ungiven
+Gigadrowse
+Gigantiform
+Gigantomancer
+Gigantoplasm
+Gigantosaurus
+Gigapede
+Gila Courser
+Gilanra, Caller of Wirewood
+Gild
+Gilded Assault Cart
+Gilded Cerodon
+Gilded Drake
+Gilded Goose
+Gilded Lotus
+Gilded Pinions
+Gilded Sentinel
+Gilder Bairn
+Gilraen, Dúnedain Protector
+Gilt-Blade Prowler
+Giltgrove Stalker
+Gilt-Leaf Ambush
+Gilt-Leaf Archdruid
+Gilt-Leaf Palace
+Gilt-Leaf Seer
+Gilt-Leaf Winnower
+Giltspire Avenger
+Gimbal, Gremlin Prodigy
+Gimli, Counter of Kills
+Gimli, Mournful Avenger
+Gimli of the Glittering Caves
+Gimli's Axe
+Gimli's Fury
+Gimli's Reckless Might
+Gingerbread Cabin
+Gingerbread Hunter
+Gingerbrute
+Girder Goons
+Gird for Battle
+Gisa and Geralf
+Gisa, Glorious Resurrector
+Gisa's Bidding
+Gisa, the Hellraiser
+Gisela, Blade of Goldnight
+Gisela, the Broken Blade
+Gishath, Sun's Avatar
+Gitaxian Anatomist
+Gitaxian Mindstinger
+Gitaxian Raptor
+Gitaxian Spellstalker
+Githzerai Monk
+Gitrog, Horror of Zhava
+Give No Ground
+Giver of Runes
+Gix
+Gixian Infiltrator
+Gixian Puppeteer
+Gixian Recycler
+Gixian Skullflayer
+Gix's Caress
+Gix's Command
+Gix, Yawgmoth Praetor
+Glacial Crasher
+Glacial Crevasses
+Glacial Floodplain
+Glacial Fortress
+Glacial Grasp
+Glacial Plating
+Glacial Ray
+Glacial Revelation
+Glacial Stalker
+Glacial Wall
+Glacian, Powerstone Engineer
+Glaciers
+Gladecover Scout
+Glade Gnarr
+Gladehart Cavalry
+Glademuse
+Gladewalker Ritualist
+Glade Watcher
+Glaive of the Guildpact
+Glamdring
+Glamer Spinners
+Glamorous Outlaw
+Glarb, Calamity's Augur
+Glare of Heresy
+Glaring Aegis
+Glaring Fleshraker
+Glaring Spotlight
+Glass Asp
+Glassblower's Puzzleknot
+Glass Casket
+Glass-Cast Heart
+Glassdust Hulk
+Glass Golem
+Glass of the Guildpact
+Glasspool Mimic
+Glasspool Shore
+Glasswing Grace
+Glaze Fiend
+Gleaming Barrier
+Gleaming Geardrake
+Gleaming Overseer
+Gleam of Authority
+Gleam of Battle
+Gleam of Resistance
+Gleancrawler
+Gleeful Demolition
+Gleeful Sabotage
+Gleemox
+Glen Elendra Archmage
+Glen Elendra Liege
+Glenn, the Voice of Calm
+Glidedive Duo
+Glimmer Bairn
+Glimmerbell
+Glimmerdust Nap
+Glimmering Angel
+Glimmer Lens
+Glimmer of Genius
+Glimmerpoint Stag
+Glimmerpost
+Glimmervoid
+Glimpse of Freedom
+Glimpse of Nature
+Glimpse of Tomorrow
+Glimpse the Core
+Glimpse the Cosmos
+Glimpse the Future
+Glimpse the Impossible
+Glimpse the Sun God
+Glimpse the Unthinkable
+Glint
+Glint-Eye Nephilim
+Glint Hawk
+Glint Hawk Idol
+Glint-Horn Buccaneer
+Glinting Creeper
+Glint-Nest Crane
+Glint Raker
+Glint-Sleeve Artisan
+Glint-Sleeve Siphoner
+Glint Weaver
+Glintwing Invoker
+Glissa, Herald of Predation
+Glissa's Courier
+Glissa's Retriever
+Glissa's Scorn
+Glissa Sunslayer
+Glissa, the Traitor
+Glistener Elf
+Glistener Seer
+Glistening Dawn
+Glistening Deluge
+Glistening Extractor
+Glistening Goremonger
+Glistening Oil
+Glistening Sphere
+Glitterfang
+Glittering Frost
+Glittering Lion
+Glittering Lynx
+Glittering Stockpile
+Glittering Wish
+Glittermonger
+Global Ruin
+Glóin, Dwarf Emissary
+Gloom
+Gloomdrifter
+Gloomfang Mauler
+Gloomhunter
+Gloomlance
+Gloom Pangolin
+Gloomshrieker
+Gloom Sower
+Gloom Stalker
+Gloom Surgeon
+Gloomwidow
+Gloomwidow's Feast
+Glorfindel, Dauntless Rescuer
+Glorifier of Dusk
+Glorifier of Suffering
+Glorious Anthem
+Glorious Charge
+Glorious Enforcer
+Glorious Gale
+Glorious Protector
+Glorious Sunrise
+Glory
+Glory Bearers
+Glory-Bound Initiate
+Glorybringer
+Glory of Warfare
+Gloryscale Viashino
+Glory Seeker
+Glowcap Lantern
+Glowering Rogon
+Glowing Anemone
+Glowing One
+Glowrider
+Glowspore Shaman
+Glowstone Recluse
+Gluntch, the Bestower
+Gluttonous Cyclops
+Gluttonous Guest
+Gluttonous Hellkite
+Gluttonous Slime
+Gluttonous Slug
+Gluttonous Troll
+Gluttonous Zombie
+Glyph Elemental
+Glyph Keeper
+Glyph of Delusion
+Glyph of Reincarnation
+Gnarlback Rhino
+Gnarled Effigy
+Gnarled Grovestrider
+Gnarled Mass
+Gnarled Professor
+Gnarled Sage
+Gnarled Scarhide
+Gnarlid Colony
+Gnarlid Pack
+Gnarlroot Pallbearer
+Gnarlroot Trapper
+Gnarlwood Dryad
+Gnat Alley Creeper
+Gnat Miser
+Gnawing Crescendo
+Gnawing Vermin
+Gnawing Zombie
+Gnaw to the Bone
+Gnoll Hunter
+Gnoll Hunting Party
+Gnoll War Band
+Gnome-Made Engine
+Gnostro, Voice of the Crags
+Gnottvold Hermit
+Gnottvold Recluse
+Gnottvold Slumbermound
+Goatnap
+Goatnapper
+Gobbling Ooze
+Gobhobbler Rats
+Go Blank
+Goblin Anarchomancer
+Goblin Arsonist
+Goblin Artillery
+Goblin Assailant
+Goblin Assassin
+Goblin Assault
+Goblin Assault Team
+Goblin Balloon Brigade
+Goblin Banneret
+Goblin Barrage
+Goblin Battle Jester
+Goblin Berserker
+Goblin Bird-Grabber
+Goblin Blast-Runner
+Goblin Bomb
+Goblin Boom Keg
+Goblin Bowling Team
+Goblin Brawler
+Goblin Brigand
+Goblin Bruiser
+Goblin Bully
+Goblin Burrows
+Goblin Bushwhacker
+Goblin Cavaliers
+Goblin Caves
+Goblin Chainwhirler
+Goblin Champion
+Goblin Charbelcher
+Goblin Chariot
+Goblin Chieftain
+Goblin Chirurgeon
+Goblin Cohort
+Goblin Commando
+Goblin Cratermaker
+Goblin Dark-Dwellers
+Goblin Deathraiders
+Goblin Digging Team
+Goblin Dirigible
+Goblin Electromancer
+Goblin Elite Infantry
+Goblin Engineer
+Goblin Festival
+Goblin Firebomb
+Goblin Firebug
+Goblin Fire Fiend
+Goblin Fireleaper
+Goblin Fireslinger
+Goblin Firestarter
+Goblin Flotilla
+Goblin Freerunner
+Goblin Furrier
+Goblin Gang Leader
+Goblin Gardener
+Goblin Gathering
+Goblin Gaveleer
+Goblin General
+Goblin Glider
+Goblin Glory Chaser
+Goblin Goliath
+Goblin Goon
+Goblin Grappler
+Goblin Grenade
+Goblin Grenadiers
+Goblin Guide
+Goblin Heelcutter
+Goblin Hero
+Goblin Influx Array
+Goblin Instigator
+Goblin Javelineer
+Goblin Kaboomist
+Goblin King
+Goblin Kites
+Goblin Lackey
+Goblin Locksmith
+Goblin Lookout
+Goblin Lore
+Goblin Marshal
+Goblin Maskmaker
+Goblin Masons
+Goblin Matron
+Goblin Medics
+Goblin Morale Sergeant
+Goblin Morningstar
+Goblin Motivator
+Goblin Mountaineer
+Goblin Mutant
+Goblin Offensive
+Goblin Oriflamme
+Goblin Outlander
+Goblin Patrol
+Goblin Picker
+Goblin Piker
+Goblin Piledriver
+Goblin Polka Band
+Goblin Psychopath
+Goblin Pyromancer
+Goblin Rabblemaster
+Goblin Racketeer
+Goblin Raider
+Goblin Rally
+Goblin Razerunners
+Goblin Replica
+Goblin Researcher
+Goblin Rimerunner
+Goblin Ringleader
+Goblin Rock Sled
+Goblin Roughrider
+Goblin Ruinblaster
+Goblin Scouts
+Goblin Secret Agent
+Goblin Settler
+Goblin Sharpshooter
+Goblin Shortcutter
+Goblin Shrine
+Goblin Skycutter
+Goblin Sky Raider
+Goblin Sledder
+Goblinslide
+Goblin Smuggler
+Goblin Snowman
+Goblins of the Flarg
+Goblin Soothsayer
+Goblin Spelunkers
+Goblin Spy
+Goblin Spymaster
+Goblin Striker
+Goblin Swine-Rider
+Goblin Taskmaster
+Goblin Tinkerer
+Goblin Tomb Raider
+Goblin Trailblazer
+Goblin Trapfinder
+Goblin Traprunner
+Goblin Trashmaster
+Goblin Trenches
+Goblin Tunneler
+Goblin Turncoat
+Goblin Tutor
+Goblin Vandal
+Goblin War Buggy
+Goblin Warchief
+Goblin Warchief Avatar
+Goblin Wardriver
+Goblin War Drums
+Goblin War Paint
+Goblin War Party
+Goblin Warrens
+Goblin War Strike
+Goblin War Wagon
+Goblin Wizard
+Goblin Wizardry
+Goddric, Cloaked Reveler
+God-Eternal Kefnet
+God-Eternal Oketra
+God-Eternal Rhonas
+God-Favored General
+Godhead of Awe
+Godhunter Octopus
+Godless Shrine
+Godo, Bandit Warlord
+Godo's Irregulars
+God-Pharaoh's Faithful
+God-Pharaoh's Gift
+God-Pharaoh's Statue
+Godsend
+Gods' Eye, Gate to the Reikai
+Gods' Hall Guardian
+Godsire
+Gods Willing
+Godtracker of Jund
+Go for Blood
+Go for the Throat
+Goggles of Night
+Goham Djinn
+Go Hog Wild
+Goka the Unjust
+Goldberry, River-Daughter
+Goldbug, Humanity's Ally
+Goldbug, Scrappy Scout
+Golden Argosy
+Golden Bear
+Golden Demise
+Golden Egg
+Goldenglow Moth
+Golden Guardian
+Goldenhide Ox
+Golden Hind
+Golden Ratio
+Golden-Scale Aeronaut
+Golden-Tail Disciple
+Golden-Tail Trainer
+Golden Urn
+Golden Wish
+Gold-Forged Sentinel
+Gold-Forged Thopteryx
+Gold-Forge Garrison
+Goldfury Strider
+Goldhound
+Goldmane Griffin
+Goldmaw Champion
+Goldmeadow
+Goldmeadow Dodger
+Goldmeadow Harrier
+Goldmeadow Lookout
+Goldmeadow Stalwart
+Goldmire Bridge
+Gold Myr
+Goldnight Castigator
+Goldnight Commander
+Goldnight Redeemer
+Gold Pan
+Gold Rush
+Goldspan Dragon
+Goldvein Hydra
+Goldvein Pick
+Goldwardens' Gambit
+Goldwarden's Helm
+Golem Artisan
+Golem Foundry
+Golem's Heart
+Golem-Skin Gauntlets
+Golgari Brownscale
+Golgari Charm
+Golgari Cluestone
+Golgari Death Swarm
+Golgari Decoy
+Golgari Findbroker
+Golgari Germination
+Golgari Grave-Troll
+Golgari Guildgate
+Golgari Guildmage
+Golgari Keyrune
+Golgari Locket
+Golgari Longlegs
+Golgari Raiders
+Golgari Rot Farm
+Golgari Rotwurm
+Golgari Thug
+Goliath Beetle
+Goliath Hatchery
+Goliath Paladin
+Goliath Sphinx
+Goliath Spider
+Goliath Truck
+Gollum, Obsessed Stalker
+Gollum, Patient Plotter
+Gollum's Bite
+Gollum, Scheming Guide
+Golos, Tireless Pilgrim
+Goma Fada Vanguard
+Gomazoa
+Gond Gate
+Gone
+Gone Missing
+Gonti, Canny Acquisitor
+Gonti, Lord of Luxury
+Gonti's Aether Heart
+Gonti's Machinations
+Good-Fortune Unicorn
+Gorbag of Minas Morgul
+Goreclaw, Terror of Qal Sisma
+Gorehorn Minotaurs
+Gore-House Chainwalker
+Goremand
+Gore Swine
+Goretusk Firebeast
+Gorex, the Tombshell
+Gorger Wurm
+Gorging Vulture
+Gorgon Flail
+Gorgon Recluse
+Gorgon's Head
+Gorilla Berserkers
+Gorilla Chieftain
+Gorilla Pack
+Gorilla Shaman
+Gorilla Tactics
+Gorilla Titan
+Gorilla War Cry
+Gorilla Warrior
+Goring Ceratops
+Goring Warplow
+Gorion, Wise Mentor
+Gorm the Great
+Gor Muldrak, Amphinologist
+Goro-Goro and Satoru
+Goro-Goro, Disciple of Ryusei
+Goryo's Vengeance
+Go-Shintai of Ancient Wars
+Go-Shintai of Boundless Vigor
+Go-Shintai of Hidden Cruelty
+Go-Shintai of Life's Origin
+Go-Shintai of Lost Wisdom
+Go-Shintai of Shared Purpose
+Gossamer Phantasm
+Gossip's Talent
+Gosta Dirk
+Gothmog, Morgul Lieutenant
+Gouged Zealot
+Gourmand's Talent
+Govern the Guildless
+Graaz, Unstoppable Juggernaut
+Grabby Giant
+Graceblade Artisan
+Graceful Adept
+Graceful Cat
+Graceful Reprieve
+Graceful Restoration
+Graceful Takedown
+Grafdigger's Cage
+Graf Harvest
+Graf Mole
+Graf Rats
+Graf Reaver
+Grafted Butcher
+Grafted Exoskeleton
+Grafted Growth
+Grafted Identity
+Grafted Skullcap
+Grafted Wargear
+Graham O'Brien
+Grakmaw, Skyclave Ravager
+Grand Abolisher
+Grand Arbiter Augustin IV
+Grand Architect
+Grand Ball Guest
+Grand Coliseum
+Grand Crescendo
+Grand Master of Flowers
+Grand Melee
+Grandmother Ravi Sengir
+Grandmother Sengir
+Grand Ossuary
+Grand Warlord Radha
+Granger Guildmage
+Granite Gargoyle
+Granite Grip
+Granite Shard
+Granite Witness
+Granitic Titan
+Granted
+Granulate
+Grapeshot
+Grapeshot Catapult
+Grappler Spider
+Grapple with the Past
+Grappling Hook
+Grappling Sundew
+Grasping Current
+Grasping Dunes
+Grasping Giant
+Grasping Scoundrel
+Grasping Shadows
+Grasping Thrull
+Grasp of Darkness
+Grasp of Fate
+Grasp of Phantoms
+Grasp of the Hieromancer
+Grassland Crusader
+Grasslands
+Grateful Apparition
+Gratuitous Violence
+Gravebane Zombie
+Grave Betrayal
+Grave Birthing
+Graveblade Marauder
+Graveborn Muse
+Grave Bramble
+Gravebreaker Lamia
+Grave Choice
+Gravecrawler
+Grave Defiler
+Gravedig
+Gravedigger
+Grave Endeavor
+Grave Exchange
+Grave Expectations
+Gravegouger
+Gravelgill Axeshark
+Gravelgill Duo
+Gravel-Hide Goblin
+Gravelighter
+Gravel Slinger
+Graven Abomination
+Graven Archfiend
+Graven Dominator
+Graven Lore
+Grave Pact
+Grave Peril
+Grave Robbers
+Graverobber Spider
+Grave Scrabbler
+Grave-Shell Scarab
+Graveshifter
+Grave Sifter
+Gravespawn Sovereign
+Gravestone Strider
+Gravestorm
+Grave Strength
+Gravetiller Wurm
+Grave Titan
+Grave Upheaval
+Gravewaker
+Graveyard Dig
+Graveyard Glutton
+Graveyard Marshal
+Graveyard Shift
+Graveyard Shovel
+Graveyard Trespasser
+Gravitational Shift
+Gravitic Punch
+Gravity Negator
+Gravity Sphere
+Gravity Well
+Graxiplon
+Gray Harbor Merfolk
+Gray Merchant of Asphodel
+Gray Ogre
+Graypelt Hunter
+Graypelt Refuge
+Grayscaled Gharial
+Gray Slaad
+Graywater's Fixer
+Grazilaxx, Illithid Scholar
+Grazing Gladehart
+Grazing Whiptail
+Greasefang, Okiba Boss
+Greataxe
+Greatbow Doyen
+Great Desert Hellion
+Great Desert Prospector
+Greater Auramancy
+Greater Basilisk
+Greater Forgeling
+Greater Gargadon
+Greater Harvester
+Greater Mossdog
+Greater Realm of Preservation
+Greater Sandwurm
+Greater Stone Spirit
+Greater Tanuki
+Greater Werewolf
+Great Furnace
+Great Hall of Starnheim
+Great Hall of the Citadel
+Great Hart
+Great-Horn Krushok
+Great Intelligence's Plan
+Great Oak Guardian
+Great Sable Stag
+Greatsword
+Greatsword of Tyr
+Great Teacher's Decree
+Great Train Heist
+Great Unclean One
+Great Wall
+Great Whale
+Greed
+Greed's Gambit
+Greedy Freebooter
+Greel's Caress
+Greenbelt Radical
+Greenbelt Rampager
+Green Dragon
+Greener Pastures
+Greenhilt Trainee
+Green Mana Battery
+Green Scarab
+Greenside Watcher
+Greensleeves, Maro-Sorcerer
+Green Slime
+Green Sun's Twilight
+Green Sun's Zenith
+Green Ward
+Greenwarden of Murasa
+Greenweaver Druid
+Greenwheel Liberator
+Greenwood Sentinel
+Gremlin Infestation
+Grenzo, Crooked Jailer
+Grenzo, Havoc Raiser
+Grenzo's Cutthroat
+Grenzo's Rebuttal
+Grenzo's Ruffians
+Greta, Sweettooth Scourge
+Gretchen Titchwillow
+Greven il-Vec
+Greven, Predator Captain
+Grey Havens Navigator
+Grey Host Reinforcements
+Grey Knight Paragon
+Gridlock
+Grief
+Grief Tyrant
+Griffin Aerie
+Griffin Canyon
+Griffin Dreamfinder
+Griffin Guide
+Griffin Protector
+Griffin Rider
+Griffin Sentinel
+Griffnaut Tracker
+Grifter's Blade
+Grim Affliction
+Gríma, Saruman's Footman
+Gríma Wormtongue
+Grim Backwoods
+Grim Bounty
+Grim Captain's Call
+Grimclaw Bats
+Grimclimb Pathway
+Grimdancer
+Grim Discovery
+Grim Draugr
+Grime Gorger
+Grim Feast
+Grim Flayer
+Grim Flowering
+Grim Giganotosaurus
+Grimgrin, Corpse-Born
+Grim Guardian
+Grim Haruspex
+Grim Harvest
+Grim Hireling
+Grim Initiate
+Grim Lavamancer
+Grim Monolith
+Grim Physician
+Grim Poppet
+Grim Reaper's Sprint
+Grim Return
+Grim Roustabout
+Grim Servant
+Grim Strider
+Grim Tutor
+Grim Wanderer
+Grind
+Grindclock
+Grinding Station
+Grindstone
+Grinning Demon
+Grinning Demon Avatar
+Grip of Amnesia
+Grip of Chaos
+Grip of Desolation
+Grip of Phyresis
+Grip of the Roil
+Griptide
+Griselbrand
+Grishnákh, Brash Instigator
+Grisly Anglerfish
+Grisly Ritual
+Grisly Salvage
+Grisly Sigil
+Grisly Spectacle
+Grisly Survivor
+Grisly Transformation
+Grismold, the Dreadsower
+Gristleback
+Gristle Grinner
+Grist, the Hunger Tide
+Grist, the Plague Swarm
+Grist, Voracious Larva
+Grixis
+Grixis Battlemage
+Grixis Grimblade
+Grixis Panorama
+Grixis Slavedriver
+Grixis Sojourners
+Grizzled Angler
+Grizzled Huntmaster
+Grizzled Leotau
+Grizzled Outcasts
+Grizzled Outrider
+Grizzled Wolverine
+Grizzly Bears
+Grizzly Fate
+Grizzly Ghoul
+Groffskithur
+Grollub
+Grolnok, the Omnivore
+Grond, the Gatebreaker
+Groom's Finery
+Grotag Bug-Catcher
+Grotag Night-Runner
+Grotag Siege-Runner
+Grotag Thrasher
+Grotesque Demise
+Grotesque Hybrid
+Grotesque Mutation
+Grothama, All-Devouring
+Ground Assault
+Groundbreaker
+Grounded
+Groundling Pouncer
+Ground Pounder
+Ground Rift
+Ground Seal
+Groundshaker Sliver
+Groundskeeper
+Groundswell
+Grove of the Burnwillows
+Grove of the Dreampods
+Grove of the Guardian
+Grove Rumbler
+Grove's Bounty
+Grovetender Druids
+Grow from the Ashes
+Growing Ranks
+Growing Rites of Itlimoc
+Grow Old Together
+Growth-Chamber Guardian
+Growth Charm
+Growth Cycle
+Growth Spasm
+Growth Spiral
+Growth Spurt
+Grozoth
+Grudge Keeper
+Gruesome Deformity
+Gruesome Discovery
+Gruesome Encore
+Gruesome Fate
+Gruesome Menagerie
+Gruesome Realization
+Gruesome Scourger
+Gruesome Slaughter
+Gruff Triplets
+Grumgully, the Generous
+Grunn, the Lonely King
+Gruul Beastmaster
+Gruul Charm
+Gruul Cluestone
+Gruul Guildgate
+Gruul Guildmage
+Gruul Keyrune
+Gruul Locket
+Gruul Nodorog
+Gruul Ragebeast
+Gruul Scrapper
+Gruul Spellbreaker
+Gruul Turf
+Gruul War Chant
+Gruul War Plow
+Gryff Rider
+Gryff's Boon
+Gryff Vanguard
+Gryffwing Cavalry
+Guan Yu's 1,000-Li March
+Guan Yu, Sainted Warrior
+Guard Change
+Guard Duty
+Guard Gomazoa
+Guardian Archon
+Guardian Augmenter
+Guardian Automaton
+Guardian Beast
+Guardian Gladewalker
+Guardian Idol
+Guardian Kirin
+Guardian Lions
+Guardian Naga
+Guardian of Cloverdell
+Guardian of Faith
+Guardian of Ghirapur
+Guardian of New Benalia
+Guardian of Pilgrims
+Guardian of Solitude
+Guardian of Tazeem
+Guardian of the Ages
+Guardian of the Forgotten
+Guardian of the Gateless
+Guardian of the Great Conduit
+Guardian of the Great Door
+Guardian of the Guildpact
+Guardian of Vitu-Ghazi
+Guardian Project
+Guardian Scalelord
+Guardian Seraph
+Guardian Shield-Bearer
+Guardian's Magemark
+Guardians of Akrasa
+Guardians of Koilos
+Guardians of Meletis
+Guardians of Oboro
+Guardians' Pledge
+Guardian Zendikon
+Gudul Lurker
+Guerrilla Tactics
+Guff Rewrites History
+Guided Passage
+Guided Strike
+Guide of Souls
+Guidestone Compass
+Guiding Bolt
+Guiding Voice
+Guild Artisan
+Guild Feud
+Guildless Commons
+Guildmages' Forum
+Guildpact Greenwalker
+Guildpact Informant
+Guildpact Paragon
+Guildscorn Ward
+Guild Summit
+Guildsworn Prowler
+Guild Thief
+Guile
+Guile, Sonic Soldier
+Guiltfeeder
+Guilty Conscience
+Guise of Fire
+Gulf Squid
+Gulping Scraptrap
+Guma
+Gumdrop Poisoner
+Gunner Conscript
+Gurgling Anointer
+Gurmag Angler
+Gurmag Drowner
+Gurmag Swiftwing
+Gush
+Gustcloak Cavalier
+Gustcloak Harrier
+Gustcloak Runner
+Gustcloak Savior
+Gustcloak Sentinel
+Gustcloak Skirmisher
+Gust of Wind
+Gustrider Exuberant
+Gust-Skimmer
+Gust Walker
+Gut, Bestial Fanatic
+Gut, Brutal Fanatic
+Gut, Devious Fanatic
+Gut, Fanatical Priestess
+Gut, Furious Fanatic
+Gutless Ghoul
+Gutmorn, Pactbound Servant
+Gut Shot
+Gutterbones
+Gutter Grime
+Gutter Shortcut
+Gutter Skulk
+Gutter Skulker
+Guttersnipe
+Gut, True Soul Zealot
+Guttural Response
+Gutwrencher Oni
+Gut, Zealous Fanatic
+Guul Draz Assassin
+Guul Draz Mucklord
+Guul Draz Overseer
+Guul Draz Specter
+Guul Draz Vampire
+Gwafa Hazid, Profiteer
+Gwaihir, Greatest of the Eagles
+Gwaihir the Windlord
+Gwendlyn Di Corci
+Gwenna, Eyes of Gaea
+Gwyllion Hedge-Mage
+Gylwain, Casting Director
+Gyome, Master Chef
+Gyox, Brutal Carnivora
+Gyre Engineer
+Gyre Sage
+Gyruda, Doom of Depths
+Gyrus, Waker of Corpses
+Haakon, Stromgald Scourge
+Haakon, Stromgald Scourge Avatar
+Haazda Exonerator
+Haazda Marshal
+Haazda Officer
+Haazda Shield Mate
+Haazda Snare Squad
+Haazda Vigilante
+Hackrobat
+Hada Freeblade
+Hadana's Climb
+Hada Spy Patrol
+Haggle
+Hag Hedge-Mage
+Hagi Mob
+Hag of Ceaseless Torment
+Hag of Dark Duress
+Hag of Death's Legion
+Hag of Inner Weakness
+Hag of Mage's Doom
+Hag of Noxious Nightmares
+Hag of Scoured Thoughts
+Hag of Syphoned Breath
+Hag of Twisted Visions
+Hagra Broodpit
+Hagra Constrictor
+Hagra Crocodile
+Hagra Diabolist
+Hagra Mauling
+Hagra Sharpshooter
+Hail of Arrows
+Hailstorm Valkyrie
+Hair-Strung Koto
+Hajar, Loyal Bodyguard
+Hakbal of the Surging Soul
+Hakim, Loreweaver
+Haktos the Unscarred
+Halam Djinn
+Halana and Alena, Partners
+Halana, Kessig Ranger
+Halberdier
+Halcyon Glaze
+Haldan, Avid Arcanist
+Haldir, Lórien Lieutenant
+Halfdane
+Half-Elf Monk
+Halimar Depths
+Halimar Excavator
+Halimar Tidecaller
+Halimar Wavewatch
+Hall
+Hallar, the Firefletcher
+Hall Monitor
+Hall of Gemstone
+Hall of Heliod's Generosity
+Hall of Mirrors
+Hall of Oracles
+Hall of Storm Giants
+Hall of Tagsin
+Hall of the Bandit Lord
+Hall of Triumph
+Hallowed Burial
+Hallowed Fountain
+Hallowed Haunting
+Hallowed Healer
+Hallowed Moonlight
+Hallowed Priest
+Hallowed Respite
+Hallowed Spiritkeeper
+Halo-Charged Skaab
+Halo Forager
+Halo Fountain
+Halo Hopper
+Halo Hunter
+Halo Scarab
+Halsin, Emerald Archdruid
+Halt Order
+Halvar, God of Battle
+Hama Pashar, Ruin Seeker
+Hamletback Goliath
+Hamlet Captain
+Hamlet Glutton
+Hamlet Vanguard
+Hammer Dropper
+Hammerfist Giant
+Hammerhand
+Hammerhead Shark
+Hammerheim Deadeye
+Hammer Helper
+Hammer Jammer
+Hammer Mage
+Hammer of Bogardan
+Hammer of Nazahn
+Hammer of Purphoros
+Hammer of Ruin
+Hammers of Moradin
+Hampering Snare
+Hamza, Guardian of Arashin
+Hanabi Blast
+Hana Kami
+Hancock, Ghoulish Mayor
+Hand of Cruelty
+Hand of Death
+Hand of Emrakul
+Hand of Enlightenment
+Hand of Honor
+Hand of Justice
+Hand of Silumgar
+Hand of the Praetors
+Hand of Vecna
+Hands of Binding
+Hand to Hand
+Hangarback Walker
+Hangar Scrounger
+Hanged Executioner
+Hanna
+Hanna's Custody
+Hanna, Ship's Navigator
+Hans Eriksson
+Hanweir Battlements
+Hanweir Garrison
+Hanweir Lancer
+Hanweir Militia Captain
+Hanweir, the Writhing Township
+Hanweir Watchkeep
+Hapato's Might
+Hapatra's Mark
+Hapatra, Vizier of Poisons
+Haphazard Bombardment
+Happily Ever After
+Harabaz Druid
+Haradrim Spearmaster
+Harald, King of Skemfar
+Harald Unites the Elves
+Harbinger of Night
+Harbinger of Spring
+Harbinger of the Hunt
+Harbinger of the Seas
+Harbinger of the Tides
+Harbin, Vanguard Aviator
+Harbor Bandit
+Harbor Guardian
+Harbor Serpent
+Hardbristle Bandit
+Hardened Berserker
+Hardened-Scale Armor
+Hardened Scales
+Hard Evidence
+Hard-Hitting Question
+Hardy Outlander
+Hardy Veteran
+Hare Raising
+Harmattan Efreet
+Harmless Assault
+Harmless Offering
+Harmonic Prodigy
+Harmonic Sliver
+Harmonious Archon
+Harmonious Emergence
+Harmonize
+Harness by Force
+Harnessed Lightning
+Harnessed Snubhorn
+Harnesser of Storms
+Harness Infinity
+Harness the Storm
+Harnfel, Horn of Bounty
+Harold and Bob, First Numens
+Harper Recruiter
+Harpoon Sniper
+Harried Artisan
+Harried Dash
+Harried Dronesmith
+Harried Spearguard
+Harrier Griffin
+Harrier Naga
+Harrier Strix
+Harrow
+Harrowing Journey
+Harsh Judgment
+Harsh Mentor
+Harsh Scrutiny
+Harsh Sustenance
+Haru-Onna
+Haruspex
+Harvester Druid
+Harvester of Misery
+Harvester of Souls
+Harvester Troll
+Harvest Fear
+Harvestguard Alseids
+Harvest Gwyllion
+Harvest Hand
+Harvestrite Host
+Harvest Season
+Harvesttide Assailant
+Harvesttide Infiltrator
+Harvesttide Sentry
+Harvest Wurm
+Hashep Oasis
+Hasran Ogress
+Hatchery Sliver
+Hatchery Spider
+Hatchet Bully
+Hatching Plans
+Hateflayer
+Hateful Eidolon
+Hate Mirage
+Hate Weaver
+Haughty Djinn
+Hauken's Insight
+Haunted Angel
+Haunted Cadaver
+Haunted Cloak
+Haunted Dead
+Haunted Fengraf
+Haunted Guardian
+Haunted House
+Haunted Library
+Haunted Mire
+Haunted One
+Haunted Plate Mail
+Haunted Ridge
+Haunter of Nightveil
+Haunting Apparition
+Haunting Echoes
+Haunting Figment
+Haunting Hymn
+Haunting Imitation
+Haunting Voyage
+Haunting Wind
+Haunt of the Dead Marshes
+Have for Dinner
+Havengul Runebinder
+Havengul Skaab
+Havengul Vampire
+Haven of the Harvest
+Haven of the Spirit Dragon
+Havenwood Wurm
+Havi, the All-Father
+Havoc
+Havoc Demon
+Havoc Devils
+Havoc Eater
+Havoc Festival
+Havoc Jester
+Havoc Sower
+Hawkeater Moth
+Hawkins National Laboratory
+Haystack
+Haytham Kenway
+Haywire Mite
+Hazardous Blast
+Hazardous Conditions
+Hazardroot Herbalist
+Haze Frog
+Hazel of the Rootbloom
+Hazel's Brewmaster
+Hazel's Nocturne
+Haze of Pollen
+Haze of Rage
+Hazerider Drake
+Hazezon, Shaper of Sand
+Hazezon Tamar
+Hazoret's Favor
+Hazoret's Monument
+Hazoret's Undying Fury
+Hazoret the Fervent
+Hazy Homunculus
+Headhunter
+Headless Horseman
+Headless Rider
+Headless Skaab
+Headless Specter
+Headliner Scarlett
+Headlong Rush
+Head of the Homestead
+Headsplitter
+Headstone
+Headstrong Brute
+Headwater Sentries
+Heal
+Healer of the Glade
+Healer of the Pride
+Healer's Flock
+Healer's Hawk
+Healer's Headdress
+Healing Hands
+Healing Leaves
+Healing Salve
+Healing Technique
+Heal the Scars
+Heaped Harvest
+Heap Gate
+Heartbeat of Spring
+Heartfire
+Heartfire Hero
+Heartfire Immolator
+Heartflame Duelist
+Hearthborn Battler
+Hearthcage Giant
+Hearth Charm
+Hearth Elemental
+Hearthfire Hobgoblin
+Hearth Kami
+Heartlash Cinder
+Heartless Act
+Heartless Conscription
+Heartless Hidetsugu
+Heartless Pillage
+Heartless Summoning
+Heartmender
+Heart of Bogardan
+Heart of Kiran
+Heart of Light
+Heart of Yavimaya
+Heart-Piercer Bow
+Heart-Piercer Manticore
+Heart's Desire
+Heartseeker
+Heart Sliver
+Heartstabber Mosquito
+Heartstone
+Heart Wolf
+Heartwood Dryad
+Heartwood Giant
+Heartwood Storyteller
+Heartwood Storyteller Avatar
+Heartwood Treefolk
+Heated Debate
+Heat of Battle
+Heat Ray
+Heat Shimmer
+Heaven
+Heavenly Blademaster
+Heavenly Qilin
+Heaven Sent
+Heavy Arbalest
+Heavy Ballista
+Heavy Fog
+Heavy Infantry
+Heavy Mattock
+Heavyweight Demolisher
+Heckling Fiends
+Hedge Maze
+Hedge Troll
+Hedge Whisperer
+Hedgewitch's Mask
+Hedonist's Trove
+Hedron Alignment
+Hedron Archive
+Hedron Blade
+Hedron Crab
+Hedron Crawler
+Hedron Detonator
+Hedron-Field Purists
+Hedron Fields of Agadeem
+Hedron Matrix
+Hedron Rover
+Hedron Scrabbler
+Heedless One
+Heed the Mists
+Heidar, Rimewind Master
+Heightened Awareness
+Heightened Reflexes
+Heiko Yamazaki, the General
+Heirloom Blade
+Heirloom Epic
+Heirloom Mirror
+Heir of Falkenrath
+Heir of the Ancient Fang
+Heir of the Wilds
+Heirs of Stromkirk
+Heir to Dragonfire
+Heir to the Night
+Hekma Sentinels
+Helbrute
+Helga, Skittish Seer
+Helica Glider
+Heliod, God of the Sun
+Heliod's Emissary
+Heliod's Intervention
+Heliod's Pilgrim
+Heliod's Punishment
+Heliod, Sun-Crowned
+Heliod, the Radiant Dawn
+Heliod, the Warped Eclipse
+Heliophial
+Helium Squirter
+Helix Pinnacle
+Hellcarver Demon
+Helldozer
+Hellfire
+Hellfire Mongrel
+Hellhole Flailer
+Hellhole Rats
+Hellion Crucible
+Hellion Eruption
+Hellkite Charger
+Hellkite Courser
+Hellkite Hatchling
+Hellkite Igniter
+Hellkite Overlord
+Hellkite Punisher
+Hellkite Tyrant
+Hellkite Whelp
+Hell Mongrel
+Hellraiser Goblin
+Hellrider
+Hell's Caretaker
+Hellspark Elemental
+Hellspur Brute
+Hellspur Posse Boss
+Hell's Thunder
+Hell Swarm
+Hell to Pay
+Helm of Awakening
+Helm of Chatzuk
+Helm of Kaldra
+Helm of Obedience
+Helm of Possession
+Helm of the Ghastlord
+Helm of the Gods
+Helm of the Host
+Helping Hand
+Hematite Golem
+Hematite Talisman
+Hemlock Vial
+Henchfiend of Ukor
+Hengegate Pathway
+Henge Guardian
+Henge Walker
+Henrika Domnathi
+Henrika, Infernal Seer
+Henry Wu, InGen Geneticist
+Henzie "Toolbox" Torre
+Heraldic Banner
+Herald of Anafenza
+Herald of Anguish
+Herald of Dromoka
+Herald of Faith
+Herald of Hadar
+Herald of Hoofbeats
+Herald of Ilharg
+Herald of Kozilek
+Herald of Leshrac
+Herald of Secret Streams
+Herald of Serra
+Herald of Slaanesh
+Herald of the Dreadhorde
+Herald of the Fair
+Herald of the Forgotten
+Herald of the Host
+Herald of the Pantheon
+Herald of the Sun
+Herald of Torment
+Herald of Vengeance
+Herald of War
+Herald's Horn
+Heralds of Tzeentch
+Herald's Reveille
+Herbal Poultice
+Herbology Instructor
+Herd Baloth
+Herdchaser Dragon
+Herd Gnarr
+Herd Migration
+Herigast, Erupting Nullkite
+Hermetic Study
+Hermit Druid
+Hermit Druid Avatar
+Hermitic Nautilus
+Hermit of the Natterknolls
+Heroes' Bane
+Heroes of the Revel
+Heroes' Podium
+Heroes Remembered
+Heroes' Reunion
+Heroic Charge
+Heroic Intervention
+Heroic Reinforcements
+Heronblade Elite
+Heron-Blessed Geist
+Heron of Hope
+Heron's Grace Champion
+Hero of Bladehold
+Hero of Bretagard
+Hero of Goma Fada
+Hero of Iroas
+Hero of Leina Tower
+Hero of Oxid Ridge
+Hero of Precinct One
+Hero of the Dunes
+Hero of the Games
+Hero of the Nyxborn
+Hero of the Pride
+Hero of the Winds
+Hero's Blade
+Hero's Demise
+Hero's Downfall
+Hero's Heirloom
+Hero's Resolve
+Hewed Stone Retainers
+He Who Hungers
+Hex
+Hexavus
+Hexbane Tortoise
+Hexdrinker
+Hexgold Halberd
+Hexgold Hoverwings
+Hexgold Slash
+Hexgold Sledge
+Hexgold Slith
+Hex, Kellan's Companion
+Hexmark Destroyer
+Hexplate Golem
+Hexplate Wallbreaker
+Hezrou
+Hibernation
+Hibernation's End
+Hibernation Sliver
+Hickory Woodlot
+Hidden Ancients
+Hidden Blade
+Hidden Cataract
+Hidden Courtyard
+Hidden Dragonslayer
+Hidden Footblade
+Hidden Gibbons
+Hidden Grotto
+Hidden Guerrillas
+Hidden Herbalists
+Hidden Herd
+Hidden Horror
+Hidden Necropolis
+Hidden Nursery
+Hidden Path
+Hidden Predators
+Hidden Retreat
+Hidden Spider
+Hidden Stockpile
+Hidden Volcano
+Hide
+Hide in Plain Sight
+Hideous End
+Hideous Fleshwheeler
+Hideous Laughter
+Hideous Taskmaster
+Hideous Visage
+Hidetsugu and Kairi
+Hidetsugu Consumes All
+Hidetsugu, Devouring Chaos
+Hidetsugu's Second Rite
+Hieroglyphic Illumination
+Hieromancer's Cage
+Hierophant Bio-Titan
+Hierophant's Chalice
+High Alert
+Highborn Ghoul
+Highborn Vampire
+Highcliff Felidar
+High Fae Negotiator
+High Fae Prankster
+High Ground
+Highland Berserker
+Highland Forest
+Highland Game
+Highland Giant
+Highland Lake
+Highland Weald
+High Market
+High Marshal Arguel
+High Noon
+High Priest of Penance
+High-Rise Sawjack
+High Seas
+High Sentinels of Arashin
+High-Speed Hoverbike
+Highspire Artisan
+Highspire Infusion
+Highspire Mantis
+High Stride
+Hightide Hermit
+Highway Robber
+Highway Robbery
+Higure, the Still Wind
+Higure, the Still Wind Avatar
+Hijack
+Hikari, Twilight Guardian
+Hillcomber Giant
+Hill Giant
+Hill Giant Herdgorger
+Hinata, Dawn-Crowned
+Hinder
+Hindering Light
+Hindering Touch
+Hindervines
+Hinterland Chef
+Hinterland Drake
+Hinterland Harbor
+Hinterland Hermit
+Hinterland Logger
+Hinterland Scourge
+Hint of Insanity
+Hipparion
+Hired Blade
+Hired Claw
+Hired Giant
+Hired Heist
+Hired Hexblade
+Hired Muscle
+Hired Poisoner
+Hired Torturer
+Hisoka's Defiance
+Hissing Iguanar
+Hissing Miasma
+Hissing Quagmire
+Historian of Zhalfir
+Historian's Boon
+Historian's Wisdom
+History of Benalia
+Hit
+Hitchclaw Recluse
+Hithlain Knots
+Hithlain Rope
+Hit the Mother Lode
+Hiveheart Shaman
+Hive Mind
+Hive of the Eye Tyrant
+Hivespine Wolverine
+Hive Stirrings
+Hivestone
+Hivis of the Scale
+Hixus, Prison Warden
+Hoarder's Greed
+Hoarder's Overflow
+Hoard Hauler
+Hoarding Broodlord
+Hoarding Dragon
+Hoarding Ogre
+Hoarding Recluse
+Hoard Robber
+Hoard-Smelter Dragon
+Hoar Shade
+Hobble
+Hobblefiend
+Hobbling Zombie
+Hobgoblin Bandit Lord
+Hobgoblin Captain
+Hobgoblin Dragoon
+Hofri Ghostforge
+Hogaak, Arisen Necropolis
+Hokori, Dust Drinker
+Hold at Bay
+Hold for Questioning
+Hold for Ransom
+Holdout Settlement
+Hold the Gates
+Hold the Line
+Hold the Perimeter
+Holga, Relentless Rager
+Hollowborn Barghest
+Hollow Dogs
+Hollowhead Sliver
+Hollowhenge Beast
+Hollowhenge Huntmaster
+Hollowhenge Overlord
+Hollowhenge Scavenger
+Hollowhenge Wrangler
+Hollow Marauder
+Hollow One
+Hollowsage
+Hollow Scavenger
+Hollow Specter
+Hollow Warrior
+Holographic Double
+Holy Armor
+Holy Avenger
+Holy Cow
+Holy Day
+Holy Frazzle-Cannon
+Holy Light
+Holy Mantle
+Holy Strength
+Homarid
+Homarid Explorer
+Homarid Shaman
+Homarid Warrior
+Homestead Courage
+Homeward Path
+Homicidal Seclusion
+Homicide Investigator
+Homing Lightning
+Homura, Human Ascendant
+Homura's Essence
+Honden of Cleansing Fire
+Honden of Infinite Rage
+Honden of Life's Web
+Honden of Night's Reach
+Honden of Seeing Winds
+Honed Khopesh
+Honest Rutstein
+Honey Mammoth
+Honeymoon Hearse
+Honorable Passage
+Honorable Scout
+Honored Crop-Captain
+Honored Dreyleader
+Honored Heirloom
+Honored Hierarch
+Honored Hydra
+Honor Guard
+Honor of the Pure
+Honor's Reward
+Honor the Fallen
+Honor the God-Pharaoh
+Honor Troll
+Honor-Worn Shaku
+Hooded Assassin
+Hooded Blightfang
+Hooded Brawler
+Hooded Horror
+Hooded Hydra
+Hooded Kavu
+Hoodwink
+Hoofprints of the Stag
+Hoof Skulkin
+Hookblade
+Hookblade Veteran
+Hookhand Mariner
+Hook-Haunt Drifter
+Hook Horror
+Hooting Mandrills
+Hope Against Hope
+Hope and Glory
+Hope Charm
+Hope-Ender Coatl
+Hopeful Eidolon
+Hopeful Initiate
+Hopeful Vigil
+Hopeless Nightmare
+Hope of Ghirapur
+Hope Tender
+Hopping Automaton
+Hop to It
+Horde Ambusher
+Hordeling Outburst
+Horde of Boggarts
+Horde of Notions
+Hordewing Skaab
+Horizon Boughs
+Horizon Canopy
+Horizon Chimera
+Horizon Drake
+Horizon of Progress
+Horizon Scholar
+Horizon Seed
+Horizon Seeker
+Horizon Spellbomb
+Horizon Stone
+Hormagaunt Horde
+Hornbash Mentor
+Horncaller's Chant
+Horned Cheetah
+Horned Helm
+Horned Kavu
+Horned Loch-Whale
+Horned Sliver
+Horned Stoneseeker
+Horned Troll
+Horned Turtle
+Hornet Cannon
+Hornet Cobra
+Hornet Harasser
+Hornet Nest
+Hornet Queen
+Hornet Sting
+Horn of Deafening
+Horn of Gondor
+Horn of Greed
+Horn of Plenty
+Horn of the Mark
+Horn of Valhalla
+Hornswoggle
+Horobi, Death's Wail
+Horobi's Whisper
+Horrible Hordes
+Horribly Awry
+Horrid Shadowspinner
+Horrific Assault
+Horrifying Revelation
+Horror of the Broken Lands
+Horror of the Dim
+Horseshoe Crab
+Horses of the Bruinen
+Hostage Taker
+Hostile Desert
+Hostile Hostel
+Hostile Investigator
+Hostile Minotaur
+Hostile Negotiations
+Hostile Realm
+Hostile Takeover
+Hostility
+Hotel of Fears
+Hotfoot Gnome
+Hotheaded Giant
+Hot Pursuit
+Hotshot Investigators
+Hotshot Mechanic
+Hot Soup
+Hot Springs
+Hound of Griselbrand
+Hound of the Farbogs
+Hound Tamer
+Hourglass of the Lost
+Hour of Devastation
+Hour of Glory
+Hour of Promise
+Hour of Reckoning
+Hour of Revelation
+House Guildmage
+Hover Barrier
+Hoverguard Observer
+Hoverguard Sweepers
+Hovermyr
+Hoverstone Pilgrim
+Howl from Beyond
+Howlgeist
+Howling Banshee
+Howling Chorus
+Howling Fury
+Howling Gale
+Howling Galefang
+Howling Giant
+Howling Golem
+Howling Mine
+Howling Moon
+Howling Wolf
+Howl of the Horde
+Howl of the Hunt
+Howl of the Night Pack
+Howlpack Alpha
+Howlpack Avenger
+Howlpack of Estwald
+Howlpack Piper
+Howlpack Resurgence
+Howlpack Wolf
+Howltooth Hollow
+How to Keep an Izzet Mage Busy
+Huang Zhong, Shu General
+Huatli, Dinosaur Knight
+Huatli, Poet of Unity
+Huatli, Radiant Champion
+Huatli's Final Strike
+Huatli's Raptor
+Huatli's Snubhorn
+Huatli's Spurring
+Huatli, the Sun's Heart
+Huatli, Warrior Poet
+Huddle Up
+Hugs, Grisly Guardian
+Hulking Bugbear
+Hulking Cyclops
+Hulking Devil
+Hulking Goblin
+Hulking Metamorph
+Hulking Ogre
+Hulking Raptor
+Hullbreacher
+Hullbreaker Horror
+Human Frailty
+Human-Time Lord Meta-Crisis
+Humble
+Humble Budoka
+Humble Defector
+Humble Naturalist
+Humbler of Mortals
+Humble the Brute
+Humiliate
+Humility
+Hum of the Radix
+Humongulus
+Hunding Gjornersen
+Hundred-Handed One
+Hundred-Talon Kami
+Hundroog
+Hungering Hydra
+Hungering Yeti
+Hunger of the Howlpack
+Hunger of the Nim
+Hungry Flames
+Hungry for More
+Hungry Hungry Heifer
+Hungry Lynx
+Hungry Mist
+Hungry Ridgewolf
+Hungry Spriggan
+Hunted Bonebrute
+Hunted by The Family
+Hunted Dragon
+Hunted Ghoul
+Hunted Horror
+Hunted Lammasu
+Hunted Nightmare
+Hunted Phantasm
+Hunted Troll
+Hunted Witness
+Hunted Wumpus
+Hunter of Eyeblights
+Hunter's Blowgun
+Hunter's Bow
+Hunter's Edge
+Hunters' Feast
+Hunter Sliver
+Hunter's Mark
+Hunter's Prowess
+Hunter's Talent
+Hunt for Specimens
+Hunting Cheetah
+Hunting Drake
+Hunting Grounds
+Hunting Kavu
+Hunting Moa
+Hunting Pack
+Hunting Triad
+Hunting Velociraptor
+Hunting Wilds
+Huntmaster Liger
+Huntmaster of the Fells
+Hunt the Hunter
+Hunt the Weak
+Hurkyl, Master Wizard
+Hurkyl's Final Meditation
+Hurkyl's Prodigy
+Hurkyl's Recall
+Hurler Cyclops
+Hurl into History
+Hurloon Battle Hymn
+Hurloon Minotaur
+Hurloon Shaman
+Hurl Through Hell
+Hurly-Burly
+Hurricane
+Hush
+Hushbringer
+Hushwing Gryff
+Huskburster Swarm
+Hussar Patrol
+Hustle
+Hyalopterous Lemure
+Hydra Broodmaster
+Hydradoodle
+Hydra Omnivore
+Hydra's Growth
+Hydra Trainer
+Hydroblast
+Hydroelectric Laboratory
+Hydroelectric Specimen
+Hydroform
+Hydroid Krasis
+Hydrolash
+Hydrosurge
+Hyena Pack
+Hyena Umbra
+Hylda of the Icy Crown
+Hylda's Crown of Winter
+Hymn of Rebirth
+Hymn of the Wilds
+Hymn to the Ages
+Hymn to Tourach
+Hypergenesis
+Hypersonic Dragon
+Hypervolt Grasp
+Hypnotic Cloud
+Hypnotic Grifter
+Hypnotic Pattern
+Hypnotic Siren
+Hypnotic Specter
+Hypnotic Sprite
+Hypnox
+Hypothesizzle
+Hyrax Tower Scout
+Hysterical Blindness
+Hystrodon
+Hythonia the Cruel
+Ian Chesterton
+Ian Malcolm, Chaotician
+Ian the Reckless
+I Bask in Your Silent Awe
+I Call on the Ancient Magics
+Icatian Crier
+Icatian Infantry
+Icatian Javelineers
+Icatian Lieutenant
+Icatian Moneychanger
+Icatian Phalanx
+Icatian Priest
+Icatian Scout
+Icatian Skirmishers
+Icatian Town
+Ice
+Iceberg Cancrix
+Iceberg Titan
+Icebind Pillar
+Icebreaker Kraken
+Ice Cage
+Ice Cave
+Icefall
+Icefall Regent
+Ice-Fang Coatl
+Icefeather Aven
+Icehide Golem
+Icehide Troll
+Ice Out
+Ice Over
+Icequake
+Ice Storm
+Ice Tunnel
+Icewind Stalwart
+Icewrought Sentry
+Ichiga, Who Topples Oaks
+Ichneumon Druid
+Ichor Aberration
+Ichorclaw Myr
+Ichor Drinker
+Ichor Elixir
+Ichorid
+Ichormoon Gauntlet
+Ichorplate Golem
+Ichor Rats
+Ichor Shade
+Ichor Slick
+Ichorspit Basilisk
+Ichor Synthesizer
+Ichor Wellspring
+Ich-Tekik, Salvage Splicer
+Ichthyomorphosis
+Icingdeath, Frost Tyrant
+Icon of Ancestry
+Icy Blast
+Icy Manipulator
+Icy Prison
+I Delight in Your Convulsions
+Identity Crisis
+Identity Thief
+Idle Thoughts
+Idolized
+Idol of False Gods
+Idol of Oblivion
+Idol of the Deep King
+Idris, Soul of the TARDIS
+Idyllic Beachfront
+Idyllic Grange
+Idyllic Tutor
+Ifh-Bíff Efreet
+Ifnir Deadlands
+Igneous Cur
+Igneous Elemental
+Igneous Golem
+Igneous Inspiration
+Igneous Pouncer
+Ignite Disorder
+Ignite Memories
+Ignite the Beacon
+Ignite the Cloneforge!
+Ignite the Future
+Ignoble Hierarch
+Ignoble Soldier
+Ihsan's Shade
+Ikiral Outrider
+I Know All, I See All
+Ikra Shidiqi, the Usurper
+Ilharg, the Raze-Boar
+Ill-Gotten Inheritance
+Illicit Auction
+Illicit Masquerade
+Illicit Shipment
+Illithid Harvester
+Illness in the Ranks
+Ill-Tempered Cyclops
+Ill-Tempered Loner
+Ill-Timed Explosion
+Illuminate
+Illuminate History
+Illumination
+Illuminator Virtuoso
+Illuminor Szeras
+Illuna, Apex of Wishes
+Illusion
+Illusionary Armor
+Illusionary Forces
+Illusionary Informant
+Illusionary Presence
+Illusionary Servant
+Illusionary Wall
+Illusionist's Bracers
+Illusions of Grandeur
+Illusory Ambusher
+Illusory Angel
+Illusory Gains
+Illusory Wrappings
+Illustrious Historian
+Illustrious Wanderglyph
+Ilysian Caryatid
+Imaginary Friends
+Imaginary Pet
+Imaginary Threats
+Imaryll, Elfhame Elite
+Imbraham, Dean of Theory
+Imi Statue
+Immaculate Magistrate
+Immediate Action
+Immersturm
+Immersturm Predator
+Immersturm Raider
+Immersturm Skullcairn
+Immerwolf
+Imminent Doom
+Immobilizer Eldrazi
+Immobilizing Ink
+Immolating Glare
+Immolating Gyre
+Immolating Souleater
+Immolation
+Immolation Shaman
+Immortal Coil
+Immortal Obligation
+Immortal Phoenix
+Immortal Servitude
+Imodane's Recruiter
+Imodane, the Pyrohammer
+Imoen, Chaotic Trickster
+Imoen, Honorable Trickster
+Imoen, Mystic Trickster
+Imoen, Occult Trickster
+Imoen, Trickster Friend
+Imoen, Wily Trickster
+Imoen, Wise Trickster
+Imotekh the Stormlord
+Imoti, Celebrant of Bounty
+Impact Resonance
+Impact Tremors
+Impale
+Impaler Shrike
+Impassioned Orator
+Impatience
+Impatient Iguana
+Impeccable Timing
+Impede Momentum
+Impending Disaster
+Impending Doom
+Impending Flux
+Imperial Aerosaur
+Imperial Blademaster
+Imperial Ceratops
+Imperial Edict
+Imperial Hellkite
+Imperial Lancer
+Imperial Mask
+Imperial Moth
+Imperial Oath
+Imperial Outrider
+Imperial Recovery Unit
+Imperial Recruiter
+Imperial Seal
+Imperial Subduer
+Imperiosaur
+Imperious Mindbreaker
+Imperious Oligarch
+Imperious Perfect
+Impervious Greatwurm
+Impetuous Devils
+Impetuous Lootmonger
+Impetuous Protege
+Impetuous Sunchaser
+Implement of Combustion
+Implement of Examination
+Implement of Ferocity
+Implement of Improvement
+Implement of Malice
+Implode
+Imposing Grandeur
+Imposing Sovereign
+Imposing Vantasaur
+Imposing Visage
+Imposter Mech
+Impostor of the Sixth Pride
+Imprisoned in the Moon
+Imprison This Insolent Wretch
+Improvised Armor
+Improvised Weaponry
+Impulse
+Impulsive Maneuvers
+Impulsive Pilferer
+Imskir Iron-Eater
+Inaction Injunction
+Inalla, Archmage Ritualist
+Iname as One
+Iname, Life Aspect
+In Bolas's Clutches
+Incandescent Aria
+Incarnation Technique
+Incendiary
+Incendiary Command
+Incendiary Dissent
+Incendiary Flow
+Incendiary Oracle
+Incendiary Sabotage
+Incessant Provocation
+Inchblade Companion
+Incinerate
+Incinerator of the Guilty
+Incisor Glider
+Incited Rabble
+Incoming!
+Incongruity
+Incorrigible Youths
+Increasing Ambition
+Increasing Confusion
+Increasing Devotion
+Increasing Savagery
+Increasing Vengeance
+Incremental Blight
+Incremental Growth
+Incriminate
+Incriminating Impetus
+Incubation
+Incubation Druid
+Incubation Sac
+Incubator Drone
+Incurable Ogre
+Incursion Specialist
+Indatha Crystal
+Indatha Triome
+Indebted Samurai
+Indebted Spirit
+Indentured Djinn
+Indentured Oaf
+Independent Troops
+Indestructibility
+Index
+Indigo Faerie
+Indoctrination Attendant
+Indominus Rex, Alpha
+Indomitable Ancients
+Indomitable Archangel
+Indomitable Creativity
+Indomitable Might
+Indomitable Will
+Indoraptor, the Perfect Hybrid
+Indrik Stomphowler
+Indrik Umbra
+Induced Amnesia
+Induce Paranoia
+Indulge
+Indulgent Aristocrat
+Indulgent Tormentor
+Indulging Patrician
+Industrial Advancement
+Inertia Bubble
+Inescapable Blaze
+Inescapable Brute
+Inevitable Betrayal
+Inevitable End
+Inexorable Blob
+Inexorable Tide
+Infantry Veteran
+Infected Defector
+Infected Vermin
+Infectious Bite
+Infectious Bloodlust
+Infectious Curse
+Infectious Horror
+Infectious Host
+Infectious Inquiry
+Infectious Rage
+Infernal Captor
+Infernal Caretaker
+Infernal Contract
+Infernal Denizen
+Infernal Genesis
+Infernal Grasp
+Infernal Idol
+Infernal Kirin
+Infernal Medusa
+Infernal Pet
+Infernal Reckoning
+Infernal Scarring
+Infernal Sovereign
+Inferno
+Inferno Elemental
+Inferno Fist
+Inferno Hellion
+Inferno Jet
+Inferno of the Star Mounts
+Inferno Project
+Inferno Titan
+Infest
+Infestation Expert
+Infested Fleshcutter
+Infested Roothold
+Infested Thrinax
+Infested Werewolf
+Infesting Radroach
+Infiltrate
+Infiltration Lens
+Infiltrator il-Kor
+Infiltrator's Magemark
+Infinite Authority
+Infinite Hourglass
+Infinite Reflection
+Inflame
+Information Booth
+Information Dealer
+Infuriate
+Infuse
+Infuse with Vitality
+Inga and Esika
+In Garruk's Wake
+Inga Rune-Eyes
+Ingenious Artillerist
+Ingenious Infiltrator
+Ingenious Leonin
+Ingenious Mastery
+Ingenious Prodigy
+Ingenious Skaab
+Ingenious Smith
+Ingenious Thief
+Ingenuity Engine
+Ingot Chewer
+Inheritance
+Inherited Envelope
+Inherited Fiend
+Inhumaniac
+Initiate of Blood
+Initiate's Companion
+Injector Crocodile
+Injury
+Ink Dissolver
+Ink-Eyes, Servant of Oni
+Ink-Eyes, Servant of Oni Avatar
+Inkfathom Divers
+Inkfathom Infiltrator
+Inkling Summoning
+Inkmoth Nexus
+Inkrise Infiltrator
+Inkshield
+Ink-Treader Nephilim
+Inkwell Leviathan
+Inner Calm, Outer Strength
+Inner-Chamber Guard
+Inner Demon
+Inner Fire
+Inner-Flame Acolyte
+Inner-Flame Igniter
+Inniaz, the Gale Force
+Innkeeper's Talent
+Innocence Kami
+Innocent Bystander
+Innocent Traveler
+Innocuous Researcher
+Innovative Metatect
+In Oketra's Name
+Inordinate Rage
+Inquisition
+Inquisition of Kozilek
+Inquisitive Puppet
+Inquisitor Captain
+Inquisitor Eisenhorn
+Inquisitor Exarch
+Inquisitor Greyfax
+Inquisitorial Rosette
+Inquisitor's Flail
+Inquisitor's Ox
+Insatiable Appetite
+Insatiable Avarice
+Insatiable Frugivore
+Insatiable Gorgers
+Insatiable Harpy
+Insatiable Hemophage
+Insatiable Souleater
+Inscribed Tablet
+Inscription of Abundance
+Inscription of Insight
+Inscription of Ruin
+In Search of Greatness
+Insectile Aberration
+Inside Source
+Insidious Bookworms
+Insidious Roots
+Insidious Will
+Insight
+Insolence
+Insolent Neonate
+Inspiration
+Inspire Awe
+Inspired Charge
+Inspired Idea
+Inspired Inventor
+Inspired Sphinx
+Inspired Tinkering
+Inspired Ultimatum
+Inspiring Bard
+Inspiring Call
+Inspiring Captain
+Inspiring Cleric
+Inspiring Commander
+Inspiring Leader
+Inspiring Overseer
+Inspiring Refrain
+Inspiring Roar
+Inspiring Statuary
+Inspiring Unicorn
+Inspiring Vantage
+Inspiring Veteran
+Inspirit
+Instigator Gang
+Instill Energy
+Instill Furor
+Instill Infection
+Instrument of the Bards
+Instruments of War
+Insubordination
+Insufferable Balladeer
+Insult
+Insurrection
+Intangible Virtue
+Integrity
+Intellect Devourer
+Intelligence Bobblehead
+Intercessor's Arrest
+Interdisciplinary Mascot
+Interplanar Tunnel
+Interpret the Signs
+Intervene
+Intervention
+Intet, the Dreamer
+In the Darkness Bind Them
+In the Eye of Chaos
+In the Presence of Ages
+In the Trenches
+In the Web of War
+In Thrall to the Pit
+Intimidation
+Intimidation Campaign
+Intimidator Initiate
+Inti, Seneschal of the Sun
+In Too Deep
+Into the Core
+Into the Earthen Maw
+Into the Fae Court
+Into the Fire
+Into the Flood Maw
+Into the Maw of Hell
+Into the Night
+Into the North
+Into the Roil
+Into the Story
+Into the Time Vortex
+Into the Void
+Into the Wilds
+Into Thin Air
+Intrepid Adversary
+Intrepid Hero
+Intrepid Outlander
+Intrepid Paleontologist
+Intrepid Provisioner
+Intrepid Rabbit
+Intrepid Stablemaster
+Intrepid Trufflesnout
+Introductions Are in Order
+Introduction to Annihilation
+Introduction to Prophecy
+Intrude on the Mind
+Intruder Alarm
+Intruder's Inquisition
+Intrusive Packbeast
+Intuition
+Inundate
+Inundated Archive
+Invader Parasite
+Invade the City
+Invading Manticore
+Invasion of Alara
+Invasion of Amonkhet
+Invasion of Arcavios
+Invasion of Azgol
+Invasion of Belenon
+Invasion of Dominaria
+Invasion of Eldraine
+Invasion of Ergamon
+Invasion of Fiora
+Invasion of Gobakhan
+Invasion of Ikoria
+Invasion of Innistrad
+Invasion of Ixalan
+Invasion of Kaladesh
+Invasion of Kaldheim
+Invasion of Kamigawa
+Invasion of Karsus
+Invasion of Kylem
+Invasion of Lorwyn
+Invasion of Mercadia
+Invasion of Moag
+Invasion of Muraganda
+Invasion of New Capenna
+Invasion of New Phyrexia
+Invasion of Pyrulea
+Invasion of Ravnica
+Invasion of Regatha
+Invasion of Segovia
+Invasion of Shandalar
+Invasion of Tarkir
+Invasion of the Giants
+Invasion of Theros
+Invasion of Tolvada
+Invasion of Ulgrotha
+Invasion of Vryn
+Invasion of Xerex
+Invasion of Zendikar
+Invasion Plans
+Invasive Species
+Invasive Surgery
+Invent
+Inventive Iteration
+Inventive Wingsmith
+Inventor's Apprentice
+Inventor's Axe
+Inventors' Fair
+Inventor's Goggles
+Inventory Management
+Inversion Behemoth
+Invert
+Inverted Iceberg
+Inverter of Truth
+Invert Polarity
+Investigator's Journal
+Invigorate
+Invigorated Rampage
+Invigorating Boon
+Invigorating Falls
+Invigorating Hot Spring
+Invigorating Surge
+Invincible Hymn
+Inviolability
+Invisibility
+Invisible Stalker
+Invocation of Saint Traft
+Invocation of the Founders
+Invoke Calamity
+Invoke Despair
+Invoke Justice
+Invoke Prejudice
+Invoke the Ancients
+Invoke the Divine
+Invoke the Firemind
+Invoke the Winds
+Involuntary Cooldown
+Involuntary Employment
+Invulnerability
+Inys Haen
+Inzerva, Master of Insights
+Iona's Blessing
+Iona, Shield of Emeria
+Iona's Judgment
+Ionize
+Ioreth of the Healing House
+Ior Ruin Expedition
+Ipnu Rivulet
+Irascible Wolverine
+Iraxxa, Empress of Mars
+Irencrag Pyromancer
+Irenicus's Vile Duplication
+Ire of Kaminari
+Ire Shaman
+Iridescent Angel
+Iridescent Blademaster
+Iridescent Drake
+Iridescent Hornbeetle
+Iridescent Vinelasher
+Iridian Maelstrom
+Irini Sengir
+Iroas, God of Victory
+Iroas's Blessing
+Iroas's Champion
+Iron Apprentice
+Iron-Barb Hellion
+Iron Bully
+Ironclad Krovod
+Ironclad Revolutionary
+Ironclad Slayer
+Ironclaw Buzzardiers
+Ironclaw Curse
+Ironclaw Orcs
+Iron-Craw Crusher
+Ironfang
+Ironfist Crusher
+Iron-Fist Pulverizer
+Iron Golem
+Ironhoof Boar
+Ironhoof Ox
+Iron Lance
+Iron League Steed
+Iron Maiden
+Iron Mastiff
+Iron Myr
+Ironpaw Aspirant
+Ironroot Treefolk
+Ironroot Warlord
+Ironscale Hydra
+Ironshell Beetle
+Ironsoul Enforcer
+Iron Star
+Irontread Crusher
+Iron Tusk Elephant
+Iron Verdict
+Iron Will
+Ironwright's Cleansing
+Irradiate
+Irregular Cohort
+Irreverent Revelers
+Irrigated Farmland
+Isamaru, Hound of Konda
+Isao, Enlightened Bushi
+Isareth the Awakener
+Isengard Unleashed
+Ishai, Ojutai Dragonspeaker
+Ishi-Ishi, Akki Crackshot
+Ishkanah, Broodmother
+Ishkanah, Grafwidow
+Isildur's Fateful Strike
+Island
+Island Fish Jasconius
+Isleback Spawn
+Isle of Vesuva
+Isolate
+Isolated Chapel
+Isolated Watchtower
+Isolation at Orthanc
+Isolation Cell
+Isolation Zone
+Isperia's Skywatch
+Isperia, Supreme Judge
+Isperia the Inscrutable
+Isshin, Two Heavens as One
+Isu the Abominable
+It Doesn't Add Up
+Iterative Analysis
+Ithilien Kingfisher
+Itlimoc, Cradle of the Sun
+It of the Horrid Swarm
+It That Betrays
+It That Heralds the End
+It That Rides as One
+Itzquinth, Firstborn of Gishath
+Ivory Crane Netsuke
+Ivory Cup
+Ivory Giant
+Ivory Guardians
+Ivory Mask
+Ivory Tower
+Ivorytusk Fortress
+Ivy Dancer
+Ivy Elemental
+Ivy, Gleeful Spellthief
+Ivy Lane Denizen
+Iwamori of the Open Fist
+Ixalan's Binding
+Ixalli's Diviner
+Ixalli's Keeper
+Ixalli's Lorekeeper
+Ixhel, Scion of Atraxa
+Ixidor, Reality Sculptor
+Ixidor's Will
+Ixidron
+Iymrith, Desert Doom
+Izoni, Center of the Web
+Izoni, Thousand-Eyed
+Izzet Boilerworks
+Izzet Charm
+Izzet Chronarch
+Izzet Cluestone
+Izzet Generatorium
+Izzet Guildgate
+Izzet Guildmage
+Izzet Keyrune
+Izzet Locket
+Izzet Polarizer
+Izzet Staticaster
+Izzet Steam Maze
+Jabari's Banner
+Jabari's Influence
+Jace, Arcane Strategist
+Jace, Architect of Thought
+Jace Beleren
+Jace, Cunning Castaway
+Jace, Ingenious Mind-Mage
+Jace, Memory Adept
+Jace, Mirror Mage
+Jace Reawakened
+Jace's Defeat
+Jace's Erasure
+Jace's Ingenuity
+Jace's Mindseeker
+Jace's Phantasm
+Jace's Projection
+Jace's Ruse
+Jace's Sanctum
+Jace's Scrutiny
+Jace's Sentinel
+Jace's Triumph
+Jace, Telepath Unbound
+Jace, the Mind Sculptor
+Jace, the Perfected Mind
+Jace, Unraveler of Secrets
+Jace, Vryn's Prodigy
+Jace, Wielder of Mysteries
+Jackal Familiar
+Jackal Pup
+Jackdaw
+Jackdaw Savior
+Jacked Rabbit
+Jackhammer
+Jack-in-the-Mox
+Jackknight
+Jack-o'-Lantern
+Jacob Frye
+Jacob Hauken, Inspector
+Jacques le Vert
+Jadar, Ghoulcaller of Nephalia
+Jaddi Lifestrider
+Jaddi Offshoot
+Jade Avenger
+Jade Bearer
+Jadecraft Artisan
+Jaded Analyst
+Jaded Response
+Jaded Sell-Sword
+Jade Guardian
+Jadeheart Attendant
+Jade Idol
+Jade Leech
+Jadelight Ranger
+Jadelight Spelunker
+Jade Mage
+Jade Orb of Dragonkind
+Jade Seedstones
+Jade Statue
+Jadzi, Oracle of Arcavios
+Jagged Barrens
+Jagged Lightning
+Jagged Poppet
+Jagged-Scar Archers
+Jagwasp Swarm
+Jaheira, Friend of the Forest
+Jaheira, Harper Emissary
+Jaheira, Heroic Harper
+Jaheira, Insightful Harper
+Jaheira, Merciful Harper
+Jaheira, Ruthless Harper
+Jaheira's Respite
+Jaheira, Stirring Harper
+Jailbreak
+Jailbreak Scheme
+Jalum Tome
+James, Wandering Dad
+Jamie McCrimmon
+Jan Jansen, Chaos Crafter
+Janjeet Sentry
+Jarad, Golgari Lich Lord
+Jarad's Orders
+Jaraku the Interloper
+Jared Carthalion
+Jared Carthalion, True Heir
+Jareth, Leonine Titan
+Jarl of the Forsaken
+Jarsyl, Dark Age Scion
+Jasconian Isle
+Jasmine Boreal
+Jasmine Boreal of the Seven
+Jason Bright, Glowing Prophet
+Jaspera Sentinel
+Javelin of Lightning
+Jawbone Duelist
+Jawbone Skulkin
+Jaws of Stone
+Jaxis, the Troublemaker
+Jaya Ballard
+Jaya Ballard Avatar
+Jaya Ballard, Task Mage
+Jaya, Fiery Negotiator
+Jaya's Firenado
+Jaya's Greeting
+Jaya's Immolating Inferno
+Jaya's Phoenix
+Jaya, Venerated Firemage
+Jayemdae Tome
+Jazal Goldmane
+Jedit Ojanen
+Jedit Ojanen, Mercenary
+Jedit Ojanen of Efrava
+Jedit's Dragoons
+Jeering Homunculus
+Jeering Instigator
+Jegantha, the Wellspring
+Jelenn Sphinx
+Jeleva, Nephalia's Scourge
+Jem Lightfoote, Sky Explorer
+Jenara, Asura of War
+Jenny Flint
+Jenny, Generated Anomaly
+Jenson Carthalion, Druid Exile
+Jerrard of the Closed Fist
+Jerren, Corrupted Bishop
+Jeskai Ascendancy
+Jeskai Banner
+Jeskai Barricade
+Jeskai Charm
+Jeskai Elder
+Jeskai Infiltrator
+Jeskai Runemark
+Jeskai Sage
+Jeskai Student
+Jeskai Windscout
+Jeska's Will
+Jeska, Thrice Reborn
+Jeska, Warrior Adept
+Jessie Zane, Fangbringer
+Jet Collector
+Jet Medallion
+Jetmir, Nexus of Revels
+Jetmir's Fixer
+Jetmir's Garden
+Jetsam
+Jetting Glasskite
+Jeweled Lotus
+Jeweled Torque
+Jewel-Eyed Cobra
+Jewel Mine Overseer
+Jewel Thief
+Jhessian Balmgiver
+Jhessian Infiltrator
+Jhessian Lookout
+Jhessian Thief
+Jhessian Zombies
+Jhoira, Ageless Innovator
+Jhoira of the Ghitu Avatar
+Jhoira's Familiar
+Jhoira's Timebug
+Jhoira's Toolbox
+Jhoira, Weatherlight Captain
+Jhovall Queen
+Jhovall Rider
+Jiang Yanggu
+Jiang Yanggu, Wildcrafter
+Jihad
+Jilt
+Jin-Gitaxias
+Jin-Gitaxias, Core Augur
+Jin-Gitaxias, Progress Tyrant
+Jinnie Fay, Jetmir's Second
+Jirina, Dauntless General
+Jirina Kudro
+Jiwari, the Earth Aflame
+Jodah, Archmage Eternal
+Jodah's Avenger
+Jodah's Codex
+Jodah, the Unifier
+Jo Grant
+Johann, Apprentice Sorcerer
+Johann's Stopgap
+Johnny, Combo Player
+Johtull Wurm
+Joiner Adept
+Join Forces
+Join Shields
+Joint Assault
+Joint Exploration
+Join the Dance
+Join the Dead
+Join the Maestros
+Join the Ranks
+Jokulhaups
+Jokulmorder
+Jolene, Plundering Pugilist
+Jolene, the Plunder Queen
+Jolly Gerbils
+Jolrael, Empress of Beasts
+Jolrael's Centaur
+Jolrael's Favor
+Jolrael, Voice of Zhalfir
+Jolted Awake
+Jon Irenicus, Shattered One
+Jon Irenicus, the Exile
+Joraga Auxiliary
+Joraga Bard
+Joraga Invocation
+Joraga Treespeaker
+Joraga Visionary
+Joraga Warcaller
+Jori En, Ruin Diver
+Jor Kadeen, First Goldwarden
+Jor Kadeen, the Prevailer
+Jorn, God of Winter
+Jorubai Murk Lurker
+Josu Vess, Lich Knight
+Jötun Grunt
+Jötun Owl Keeper
+Journeyer's Kite
+Journey for the Elixir
+Journey On
+Journey to Eternity
+Journey to Nowhere
+Journey to Oblivion
+Journey to the Lost City
+Journey to the Oracle
+Joust
+Jousting Dummy
+Jousting Lance
+Joven
+Joven's Ferrets
+Joven's Tools
+Jovial Evil
+Joyful Stormsculptor
+Joyous Respite
+Jubilant Mascot
+Jubilant Skybonder
+Judge of Currents
+Judge's Familiar
+Judith, Carnage Connoisseur
+Judith, the Scourge Diva
+Judoon Enforcers
+Jugan Defends the Temple
+Jugan, the Rising Star
+Juggernaut
+Juggernaut Peddler
+Juggle the Performance
+Jukai Liberator
+Jukai Messenger
+Jukai Naturalist
+Jukai Preserver
+Jukai Trainee
+Jumbo Imp
+Jump
+Jund
+Jund Battlemage
+Jund Hackblade
+Jund Panorama
+Jund Sojourners
+Jungle Barrier
+Jungle Basin
+Jungleborn Pioneer
+Jungle Creeper
+Jungle Delver
+Jungle Hollow
+Jungle Lion
+Jungle Patrol
+Jungle Shrine
+Jungle Troll
+Jungle Wayfinder
+Jungle Weaver
+Jungle Wurm
+Juniper Order Advocate
+Juniper Order Druid
+Juniper Order Ranger
+Juniper Order Rootweaver
+Junji, the Midnight Sky
+Junkblade Bruiser
+Junk Diver
+Junk Jet
+Junktown
+Junktroller
+Junk Winder
+Junkyard Genius
+Junkyard Scrapper
+Juntu Stakes
+Junún Efreet
+Jurassic Park
+Juri, Master of the Revue
+Jushi Apprentice
+Just Fate
+Justice
+Justice Strike
+Justiciar's Portal
+Just the Wind
+Juvenile Gloomwidow
+Juvenile Mist Dragon
+Juzám Djinn
+Jwari Disruption
+Jwari Ruins
+Jwari Scuttler
+Jwari Shapeshifter
+Jwar Isle Avenger
+Jwar Isle Refuge
+Jyoti, Moag Ancient
+K-9, Mark I
+Kaalia of the Vast
+Kaalia, Zenith Seeker
+Kabira Crossroads
+Kabira Evangel
+Kabira Outrider
+Kabira Plateau
+Kabira Takedown
+Kabira Vindicator
+Kabuto Moth
+Kadena, Slinking Sorcerer
+Kadena's Silencer
+Kaervek's Hex
+Kaervek's Purge
+Kaervek's Torch
+Kaervek the Merciless
+Kaervek, the Punisher
+Kaervek, the Spiteful
+Kagha, Shadow Archdruid
+Kaheera, the Orphanguard
+Kaijin of the Vanishing Touch
+Kaima, the Fractured Calm
+Kairi, the Swirling Sky
+Kaiso, Memory of Loyalty
+Kaito, Dancing Shadow
+Kaito Shizuki
+Kaito's Pursuit
+Kalain, Reclusive Painter
+Kalamax, the Stormsire
+Kalastria Healer
+Kalastria Highborn
+Kalastria Nightwatch
+Kaldra Compleat
+Kaldring, the Rimestaff
+Kaleidoscorch
+Kalemne, Disciple of Iroas
+Kalemne's Captain
+Kalitas, Bloodchief of Ghet
+Kalitas, Traitor of Ghet
+Kalonian Behemoth
+Kalonian Hydra
+Kalonian Tusker
+Kalonian Twingrove
+Kamachal, Ship's Mascot
+Kamahl, Fist of Krosa
+Kamahl, Heart of Krosa
+Kamahl, Pit Fighter
+Kamahl's Desire
+Kamahl's Druidic Vow
+Kamahl's Sledge
+Kamahl's Will
+Kambal, Consul of Allocation
+Kambal, Profiteering Mayor
+Kamber, the Plunderer
+Kami of Bamboo Groves
+Kami of Celebration
+Kami of Empty Graves
+Kami of False Hope
+Kami of Fire's Roar
+Kami of Industry
+Kami of Jealous Thirst
+Kami of Lunacy
+Kami of Mourning
+Kami of Old Stone
+Kami of Restless Shadows
+Kami of Tattered Shoji
+Kami of Terrible Secrets
+Kami of the Crescent Moon
+Kami of the Honored Dead
+Kami of the Hunt
+Kami of the Painted Road
+Kami of the Palace Fields
+Kami of the Tended Garden
+Kami of the Waning Moon
+Kami of Transience
+Kami of Transmutation
+Kami of Twisted Reflection
+Kami of Whispered Hopes
+Kami's Flare
+Kamiz, Obscura Oculus
+Kangee, Aerie Keeper
+Kangee, Sky Warden
+Kangee's Lieutenant
+Kappa Cannoneer
+Kappa Tech-Wrecker
+Kapsho Kitefins
+Karador, Ghost Chieftain
+Karakas
+Karametra, God of Harvests
+Karametra's Acolyte
+Karametra's Blessing
+Karametra's Favor
+Karazikar, the Eye Tyrant
+Kardum, Patron of Flames
+Kardur, Doomscourge
+Kardur's Vicious Return
+Karfell Harbinger
+Karfell Kennel-Master
+Kargan Dragonlord
+Kargan Dragonrider
+Kargan Intimidator
+Kargan Warleader
+Kari Zev's Expertise
+Kari Zev, Skyship Raider
+Karlach, Fury of Avernus
+Karlach, Raging Tiefling
+Karlach, Tiefling Berserker
+Karlach, Tiefling Guardian
+Karlach, Tiefling Punisher
+Karlach, Tiefling Spellrager
+Karlach, Tiefling Zealot
+Karlov of the Ghost Council
+Karlov Watchdog
+Karma
+Karmic Guide
+Karmic Justice
+Karn
+Karn, Legacy Reforged
+Karn Liberated
+Karn, Living Legacy
+Karn's Bastion
+Karn, Scion of Urza
+Karn's Sylex
+Karn's Temporal Sundering
+Karn, the Great Creator
+Karok Wrangler
+Karona, False God
+Karona, False God Avatar
+Karoo
+Karoo Meerkat
+Karplusan Forest
+Karplusan Giant
+Karplusan Hound
+Karplusan Strider
+Karplusan Wolverine
+Karplusan Yeti
+Karrthus, Tyrant of Jund
+Karstoderm
+Karsus Depthguard
+Karumonix, the Rat King
+Karvanista, Loyal Lupari
+Kaseto, Orochi Archmage
+Kashi-Tribe Elite
+Kashi-Tribe Reaver
+Kashi-Tribe Warriors
+Kasimir the Lone Wolf
+Kasla, the Broken Halo
+Kaslem's Stonetree
+Kaslem's Strider
+Kasmina, Enigma Sage
+Kasmina, Enigmatic Mentor
+Kasmina's Transmutation
+Kassandra, Eagle Bearer
+Kastral, the Windcrested
+Katabatic Winds
+Kataki, War's Wage
+Kate Stewart
+Kathari Bomber
+Kathari Remnant
+Kathari Screecher
+Kathril, Aspect Warper
+Katilda and Lier
+Katilda, Dawnhart Martyr
+Katilda, Dawnhart Prime
+Katilda's Rising Dawn
+Katsumasa, the Animator
+Kaust, Eyes of the Glade
+Kavu Aggressor
+Kavu Chameleon
+Kavu Climber
+Kavu Glider
+Kavu Howler
+Kavu Lair
+Kavu Mauler
+Kavu Monarch
+Kavu Predator
+Kavu Primarch
+Kavu Runner
+Kavu Scout
+Kavu Titan
+Kaya, Bane of the Dead
+Kaya, Geist Hunter
+Kaya, Intangible Slayer
+Kaya, Orzhov Usurper
+Kaya's Ghostform
+Kaya's Guile
+Kaya's Onslaught
+Kaya, Spirits' Justice
+Kaya's Wrath
+Kaya the Inexorable
+Kayla's Command
+Kayla's Kindling
+Kayla's Music Box
+Kayla's Reconstruction
+Kaysa
+Kazandu Blademaster
+Kazandu Mammoth
+Kazandu Nectarpot
+Kazandu Refuge
+Kazandu Stomper
+Kazandu Tuskcaller
+Kazandu Valley
+Kaza, Roil Chaser
+Kazarov, Sengir Pureblood
+Kazuul's Cliffs
+Kazuul's Fury
+Kazuul, Tyrant of the Cliffs
+Kazuul Warlord
+Kederekt Creeper
+Kederekt Leviathan
+Kederekt Parasite
+Kediss, Emberclaw Familiar
+Keen Duelist
+Keen-Eared Sentry
+Keeneye Aven
+Keen-Eyed Archers
+Keen-Eyed Curator
+Keen-Eyed Raven
+Keen Glidemaster
+Keening Apparition
+Keening Banshee
+Keening Stone
+Keen Sense
+Keensight Mentor
+Keeper of Fables
+Keeper of Keys
+Keeper of Kookus
+Keeper of Secrets
+Keeper of the Accord
+Keeper of the Beasts
+Keeper of the Cadence
+Keeper of the Dead
+Keeper of the Flame
+Keeper of the Lens
+Keeper of the Light
+Keeper of the Mind
+Keeper of the Nine Gales
+Keeper of Tresserhorn
+Keepers of the Faith
+Keep Safe
+Keepsake Gorgon
+Keep Watch
+Kefnet's Last Word
+Kefnet's Monument
+Kefnet the Mindful
+Keiga, the Tide Star
+Kei Takahashi
+Keldon Arsonist
+Keldon Berserker
+Keldon Champion
+Keldon Firebombers
+Keldon Flamesage
+Keldon Halberdier
+Keldon Mantle
+Keldon Marauders
+Keldon Megaliths
+Keldon Overseer
+Keldon Raider
+Keldon Strike Team
+Keldon Twilight
+Keldon Vandals
+Keldon Warcaller
+Keldon Warlord
+Keleth, Sunmane Familiar
+Kelinore Bat
+Kellan, Daring Traveler
+Kellan, Inquisitive Prodigy
+Kellan Joins Up
+Kellan's Lightblades
+Kellan, the Fae-Blooded
+Kellan, the Kid
+Kellogg, Dangerous Mind
+Kelpie Guide
+Kels, Fight Fixer
+Kelsien, the Plague
+Kelsinko Ranger
+Kemba, Kha Enduring
+Kemba, Kha Regent
+Kemba's Banner
+Kemba's Legion
+Kemba's Outfitter
+Kemba's Skyguard
+Kemuri-Onna
+Ken, Burning Brawler
+Kenessos, Priest of Thassa
+Kenku Artificer
+Kenrith, the Returned King
+Kentaro, the Smiling Cat
+Kenzo the Hardhearted
+Keral Keep Disciples
+Keranos, God of Storms
+Kerblam! Warehouse
+Keruga, the Macrosage
+Keskit, the Flesh Sculptor
+Kess, Dissident Mage
+Kessig
+Kessig Cagebreakers
+Kessig Dire Swine
+Kessig Flamebreather
+Kessig Forgemaster
+Kessig Malcontents
+Kessig Naturalist
+Kessig Prowler
+Kessig Recluse
+Kessig Wolf
+Kessig Wolfrider
+Kessig Wolf Run
+Kestia, the Cultivator
+Kethek, Crucible Goliath
+Kethis, the Hidden Hand
+Ketria
+Ketria Crystal
+Ketria Triome
+Keymaster Rogue
+Key to the Archive
+Key to the City
+Kezzerdrix
+Khabál Ghoul
+Khalni Ambush
+Khalni Garden
+Khalni Gem
+Khalni Heart Expedition
+Khalni Hydra
+Khalni Territory
+Kharasha Foothills
+Kharis & The Beholder
+Khârn the Betrayer
+Khenra Charioteer
+Khenra Eternal
+Khenra Scrapper
+Khenra Spellspear
+Kher Keep
+Kheru Bloodsucker
+Kheru Dreadmaw
+Kheru Lich Lord
+Kheru Mind-Eater
+Khod, Etlan Shiis Envoy
+Khorvath Brightflame
+Khorvath's Fury
+Kianne, Dean of Substance
+Kibo, Uktabi Prince
+Kick in the Door
+Kiddie Coaster
+Kiki-Jiki, Mirror Breaker
+Killer
+Killer Bees
+Killer Cosplay
+Killer Instinct
+Killer Service
+Killer Whale
+Killian, Ink Duelist
+Kill! Maim! Burn!
+Kill Shot
+Kill-Zone Acrobat
+Kiln Fiend
+Kilnmouth Dragon
+Kilnspire District
+Kiln Walker
+Kindercatch
+Kindle
+Kindled Fury
+Kindled Heroism
+Kindlespark Duo
+Kindly Ancestor
+Kindly Stranger
+Kindred Boon
+Kindred Charge
+Kindred Denial
+Kindred Discovery
+Kindred Dominance
+Kindred Summons
+Kinetic Augur
+King Cheetah
+King Crab
+King Darien XLVIII
+Kingfisher
+King Harald's Revenge
+King Macar, the Gold-Cursed
+King Narfi's Betrayal
+King of the Oathbreakers
+King of the Pride
+Kingpin's Pet
+King's Assassin
+King Suleiman
+Kinjalli's Caller
+Kinjalli's Dawnrunner
+Kinjalli's Sunwing
+Kinnan, Bonder Prodigy
+Kinsbaile Balloonist
+Kinsbaile Borderguard
+Kinsbaile Cavalier
+Kinsbaile Courier
+Kinsbaile Skirmisher
+Kinscaer Harpoonist
+Kin-Tree Invocation
+Kin-Tree Warden
+Kinzu of the Bleak Coven
+Kiora, Behemoth Beckoner
+Kiora Bests the Sea God
+Kiora, Master of the Depths
+Kiora's Dambreaker
+Kiora's Dismissal
+Kiora, Sovereign of the Deep
+Kiora, the Crashing Wave
+Kiora, the Tide's Fury
+Kira, Great Glass-Spinner
+Kird Ape
+Kird Chieftain
+Kirin-Touched Orochi
+Kiri-Onna
+Kirri, Talented Sprout
+Kirtar's Desire
+Kirtar's Wrath
+Kismet
+Kiss of Death
+Kiss of the Amesha
+Kitchen
+Kitchen Finks
+Kitchen Imp
+Kitesail
+Kitesail Apprentice
+Kitesail Cleric
+Kitesail Corsair
+Kitesail Freebooter
+Kitesail Larcenist
+Kitesail Scout
+Kitesail Skirmisher
+Kite Shield
+Kithkin Billyrider
+Kithkin Daggerdare
+Kithkin Greatheart
+Kithkin Harbinger
+Kithkin Healer
+Kithkin Mourncaller
+Kithkin Rabble
+Kithkin Shielddare
+Kithkin Spellduster
+Kithkin Zealot
+Kithkin Zephyrnaut
+Kitnap
+Kitsa, Otterball Elite
+Kitsune Ace
+Kitsune Blademaster
+Kitsune Bonesetter
+Kitsune Dawnblade
+Kitsune Diviner
+Kitsune Healer
+Kitsune Loreweaver
+Kitsune Riftwalker
+Kitt Kanto, Mayhem Diva
+Kiyomaro, First to Stand
+Kjeldoran Dead
+Kjeldoran Elite Guard
+Kjeldoran Escort
+Kjeldoran Frostbeast
+Kjeldoran Gargoyle
+Kjeldoran Guard
+Kjeldoran Home Guard
+Kjeldoran Knight
+Kjeldoran Outpost
+Kjeldoran Outrider
+Kjeldoran Phalanx
+Kjeldoran Royal Guard
+Kjeldoran Skycaptain
+Kjeldoran Skyknight
+Kjeldoran War Cry
+Kjeldoran Warrior
+Klauth's Will
+Klauth, Unrivaled Ancient
+Klement, Death Acolyte
+Klement, Knowledge Acolyte
+Klement, Life Acolyte
+Klement, Nature Acolyte
+Klement, Novice Acolyte
+Klement, Tempest Acolyte
+Klothys, God of Destiny
+Klothys's Design
+Knickknack Ouphe
+Knife
+Knight-Captain of Eos
+Knighted Myr
+Knight Errant
+Knight-Errant of Eos
+Knight Exemplar
+Knightfisher
+Knighthood
+Knightly Valor
+Knight of Autumn
+Knight of Cliffhaven
+Knight of Dawn
+Knight of Dawn's Light
+Knight of Doves
+Knight of Dusk
+Knight of Dusk's Shadow
+Knight of Glory
+Knight of Grace
+Knight of Infamy
+Knight of Malice
+Knight of Meadowgrain
+Knight of New Alara
+Knight of New Benalia
+Knight of Obligation
+Knight of Old Benalia
+Knight of Sorrows
+Knight of Stromgald
+Knight of Sursi
+Knight of the Ebon Legion
+Knight of the Holy Nimbus
+Knight of the Keep
+Knight of the Last Breath
+Knight of the New Coalition
+Knight of the Pilgrim's Road
+Knight of the Reliquary
+Knight of the Skyward Eye
+Knight of the Stampede
+Knight of the Tusk
+Knight of the White Orchid
+Knight of Valor
+Knight Paladin
+Knight Rampager
+Knights' Charge
+Knights of Dol Amroth
+Knights of the Black Rose
+Knights of Thorn
+Knight's Pledge
+Knight Watch
+Knockout Blow
+Knollspine Invocation
+Knotvine Paladin
+Know Evil
+Knowledge and Power
+Knowledge Is Power
+Knowledge Pool
+Know Naught but Fire
+Knucklebone Witch
+Kobold Drill Sergeant
+Kobold Overlord
+Kobolds of Kher Keep
+Kobold Taskmaster
+Kobold Warcaller
+Kodama of the Center Tree
+Kodama of the East Tree
+Kodama of the North Tree
+Kodama of the South Tree
+Kodama of the West Tree
+Kodama's Might
+Kodama's Reach
+Kogla and Yidaro
+Kogla, the Titan Ape
+Koilos Roc
+Kokusho, the Evening Star
+Kolaghan Aspirant
+Kolaghan Forerunners
+Kolaghan Monument
+Kolaghan's Command
+Kolaghan Skirmisher
+Kolaghan Stormsinger
+Kolaghan, the Storm's Fury
+Kolaghan Warmonger
+Koll, the Forgemaster
+Kolvori, God of Kinship
+Koma, Cosmos Serpent
+Komainu Battle Armor
+Koma's Faithful
+Konda, Lord of Eiganjo
+Konda's Banner
+Konda's Hatamoto
+Kongming's Contraptions
+Kongming, "Sleeping Dragon"
+Kookus
+Kopala, Warden of Waves
+Kor Aeronaut
+Kor Blademaster
+Kor Bladewhirl
+Kor Cartographer
+Kor Castigator
+Kor Celebrant
+Kor Duelist
+Kor Entanglers
+Kor Firewalker
+Kor Halberd
+Kor Haven
+Kor Hookmaster
+Korlash, Heir to Blackblade
+Korlessa, Scale Singer
+Kor Line-Slinger
+Kormus Bell
+Korozda Gorgon
+Korozda Guildmage
+Korozda Monitor
+Kor Sanctifiers
+Kor Scythemaster
+Kor Sky Climber
+Kor Skyfisher
+Kor Spiritdancer
+Korvold and the Noble Thief
+Korvold, Fae-Cursed King
+Korvold, Gleeful Glutton
+Kosei, Penitent Warlord
+Koskun Falls
+Koth, Fire of Resistance
+Koth of the Hammer
+Kothophed, Soul Hoarder
+Koth's Courier
+Kotori, Pilot Prodigy
+Kotose, the Silent Spider
+Kozilek, Butcher of Truth
+Kozilek's Channeler
+Kozilek's Command
+Kozilek's Pathfinder
+Kozilek's Predator
+Kozilek's Return
+Kozilek's Sentinel
+Kozilek's Shrieker
+Kozilek's Translator
+Kozilek's Unsealing
+Kozilek, the Broken Reality
+Kozilek, the Great Distortion
+Kragma Butcher
+Kragma Warcaller
+Kraken Hatchling
+Kraken of the Straits
+Kraken's Eye
+Krakilin
+Krallenhorde Howler
+Krallenhorde Killer
+Krallenhorde Wantons
+Kranioceros
+Krark-Clan Grunt
+Krark's Thumb
+Krark, the Thumbless
+Kraul Foragers
+Kraul Harpooner
+Kraul Raider
+Kraul Stinger
+Kraul Swarm
+Kraul Warrior
+Kraul Whipcracker
+Kraum, Ludevic's Opus
+Kraum, Violent Cacophony
+Krav, the Unredeemed
+Krazy Kow
+Krenko, Baron of Tin Street
+Krenko, Mob Boss
+Krenko's Buzzcrusher
+Krenko's Command
+Krenko's Enforcer
+Krenko, Tin Street Kingpin
+Kresh the Bloodbraided
+Kresh the Bloodbraided Avatar
+Kronch Wrangler
+Krond the Dawn-Clad
+Krosa
+Krosan Adaptation
+Krosan Avenger
+Krosan Beast
+Krosan Cloudscraper
+Krosan Colossus
+Krosan Constrictor
+Krosan Drover
+Krosan Druid
+Krosan Grip
+Krosan Groundshaker
+Krosan Tusker
+Krosan Verge
+Krosan Vorine
+Krosan Warchief
+Krosan Wayfarer
+Kros, Defense Contractor
+Krothuss, Lord of the Deep
+Krovikan Elementalist
+Krovikan Fetish
+Krovikan Horror
+Krovikan Mist
+Krovikan Rot
+Krovikan Scoundrel
+Krovikan Vampire
+Krovod Haunch
+Kroxa and Kunoros
+Kroxa, Titan of Death's Hunger
+K'rrik, Son of Yawgmoth
+Kruin Outlaw
+Kruin Striker
+Krumar Bond-Kin
+Kruphix, God of Horizons
+Kruphix's Insight
+Krydle of Baldur's Gate
+Kudo, King Among Bears
+Kudzu
+Kujar Seedsculptor
+Kukemssa Pirates
+Kuldotha Cackler
+Kuldotha Forgemaster
+Kuldotha Phoenix
+Kuldotha Rebirth
+Kuldotha Ringleader
+Kulrath Knight
+Kumano Faces Kakkazan
+Kumano, Master Yamabushi
+Kumano's Blessing
+Kumano's Pupils
+Kumena's Awakening
+Kumena's Speaker
+Kumena, Tyrant of Orazca
+Kunoros, Hound of Athreos
+Kuon, Ogre Ascendant
+Kuon's Essence
+Kura, the Boundless Sky
+Kurbis, Harvest Celebrant
+Kurgadon
+Kurkesh, Onakke Ancient
+Kuro, Pitlord
+Kuro's Taken
+Kusari-Gama
+Kutzil, Malamet Exemplar
+Kutzil's Flanker
+Kwain, Itinerant Meddler
+Kwende, Pride of Femeref
+Kydele, Chosen of Kruphix
+Kykar, Wind's Fury
+Kyler, Sigardian Emissary
+Kylox's Voltstrider
+Kynaios and Tiro of Meletis
+Kyodai, Soul of Kamigawa
+Kyoki, Sanity's Eclipse
+Kyren Archive
+Kyren Flamewright
+Kyren Glider
+Kyren Legate
+Kyren Negotiations
+Kyren Sniper
+Kyren Toy
+Kyscu Drake
+Kytheon, Hero of Akros
+Kytheon's Irregulars
+Kytheon's Tactics
+Laboratory Brute
+Laboratory Drudge
+Laboratory Maniac
+Lab Rats
+Labro Bot
+Labyrinth Adversary
+Labyrinth Champion
+Labyrinth Guardian
+Labyrinth Minotaur
+Labyrinth Raptor
+Laccolith Grunt
+Laccolith Rig
+Laccolith Titan
+Laccolith Warrior
+Laccolith Whelp
+Lacerate Flesh
+Lace with Moonglove
+Lady Caleria
+Lady of Laughter
+Lady Orca
+Lady Zhurong, Warrior Queen
+Laelia, the Blade Reforged
+Lae'zel, Blessed Warrior
+Lae'zel, Callous Warrior
+Lae'zel, Githyanki Warrior
+Lae'zel, Illithid Thrall
+Lae'zel, Primal Warrior
+Lae'zel's Acrobatics
+Lae'zel, Vlaakith's Champion
+Lae'zel, Wrathful Warrior
+Lagac Lizard
+Lagomos, Hand of Hatred
+Lagonna-Band Elder
+Lagonna-Band Storyteller
+Lagonna-Band Trailblazer
+Lagoon Breach
+Lagrella, the Magpie
+Laid to Rest
+Lair Delve
+Lair of the Ashen Idol
+Lair of the Hydra
+Lairwatch Giant
+Lake Silencio
+Lambholt Butcher
+Lambholt Elder
+Lambholt Harrier
+Lambholt Pacifist
+Lambholt Raconteur
+Lambholt Ravager
+Lampad of Death's Vigil
+Lamplighter of Selhoff
+Lamplight Phoenix
+Lance
+Lancer Sliver
+Landbind Ritual
+Land Cap
+Land Equilibrium
+Land Grant
+Land Leeches
+Landlore Navigator
+Landroval, Horizon Witness
+Landscaper Colos
+Land Tax
+Languish
+Lantern Bearer
+Lantern Flare
+Lantern Kami
+Lantern-Lit Graveyard
+Lantern of Revealing
+Lantern of the Lost
+Lantern of Undersight
+Lantern Scout
+Lanterns' Lift
+Lantern Spirit
+Lapis Lazuli Talisman
+Lapis Orb of Dragonkind
+Lapse of Certainty
+Laquatus's Champion
+Laquatus's Disdain
+Lara Croft, Tomb Raider
+Larceny
+Larder Zombie
+Largepox
+Larger Than Life
+Laser Screwdriver
+Lashknife
+Lashknife Barrier
+Lash of Malice
+Lash of the Balrog
+Lash of the Whip
+Lash of Thorns
+Lash Out
+Lashweed Lurker
+Lashwrithe
+Lassoed by the Law
+Last Breath
+Last Caress
+Last Gasp
+Last Kiss
+Last Laugh
+Last March of the Ents
+Last Night Together
+Last One Standing
+Last Rites
+Last Stand
+Last Thoughts
+Last Word
+Latchkey Faerie
+Latch Seeker
+Late to Dinner
+Lathiel, the Bounteous Dawn
+Lathliss, Dragon Queen
+Lathnu Hellion
+Lathnu Sailback
+Lathril, Blade of the Elves
+Lat-Nam Adept
+Lat-Nam's Legacy
+Lattice-Blade Mantis
+Latulla's Orders
+Laughing Jasper Flint
+Launch
+Launch Mishap
+Launch the Fleet
+Laurine, the Diversion
+Lava Axe
+Lavaball Trap
+Lavabelly Sliver
+Lava Blister
+Lavaborn Muse
+Lavabrink Venturer
+Lava Burst
+Lavaclaw Reaches
+Lava Coil
+Lavacore Elemental
+Lava Dart
+Lava-Field Overlord
+Lava Flow
+Lavafume Invoker
+Lavaglide Pathway
+Lava Hounds
+Lavakin Brawler
+Lavalanche
+Lavamancer's Skill
+Lava Runner
+Lava Serpent
+Lava Spike
+Lavaspur Boots
+Lavastep Raider
+Lava Storm
+Lava Tubes
+Lava Zombie
+Lavinia, Azorius Renegade
+Lavinia, Foil to Conspiracy
+Lavinia of the Tenth
+Lawbringer
+Lawless Broker
+Lawmage's Binding
+Law-Rune Enforcer
+Lay Bare
+Lay Bare the Heart
+Lay Claim
+Lay Down Arms
+Layla Hassan
+Lay of the Land
+Lay Waste
+Lazav, Dimir Mastermind
+Lazav, Familiar Stranger
+Lazav, the Multifarious
+Lazav, Wearer of Faces
+Lazotep Behemoth
+Lazotep Chancellor
+Lazotep Convert
+Lazotep Plating
+Lazotep Quarry
+Lazotep Reaver
+Lazotep Sliver
+Lead
+Lead Astray
+Lead by Example
+Leaden Myr
+Leadership Vacuum
+Lead Golem
+Lead Pipe
+Lead the Stampede
+Leaf Arrow
+Leafcrown Dryad
+Leaf-Crowned Elder
+Leaf-Crowned Visionary
+Leaf Dancer
+Leafdrake Roost
+Leaf Gilder
+Leafkin Avenger
+Leafkin Druid
+League Guildmage
+Leap
+Leapfrog
+Leaping Ambush
+Leaping Lizard
+Leaping Master
+Leap of Faith
+Leap of Flame
+Learn from the Past
+Leashling
+Leather Armor
+Leatherback Baloth
+Leave
+Leave in the Dust
+Ledev Champion
+Ledev Guardian
+Ledger Shredder
+Leech Fanatic
+Leech Gauntlet
+Leeching Bite
+Leeching Lurker
+Leeching Sliver
+Leechridden Swamp
+Leela, Sevateem Warrior
+Leering Emblem
+Leering Gargoyle
+Leering Onlooker
+Leery Fogbeast
+Legacy's Allure
+Legacy Weapon
+Legate Lanius, Caesar's Ace
+Legion Angel
+Legion Conquistador
+Legion Extruder
+Legion Guildmage
+Legion Leadership
+Legion Lieutenant
+Legion Loyalist
+Legion Loyalty
+Legion of Clay
+Legion Reconsecrator
+Legion's Chant
+Legion's End
+Legion's Initiative
+Legion's Judgment
+Legion's Landing
+Legions of Lim-Dûl
+Legions to Ashes
+Legion Stronghold
+Legion Vanguard
+Legion Warboss
+Legolas, Counter of Kills
+Legolas Greenleaf
+Legolas, Master Archer
+Legolas's Quick Reflexes
+Leinore, Autumn Sovereign
+Lembas
+Lena, Selfless Champion
+Lend a Ham
+Lens Flare
+Leonardo da Vinci
+Leonin Abunas
+Leonin Arbiter
+Leonin Armorguard
+Leonin Battlemage
+Leonin Bladetrap
+Leonin Bola
+Leonin Den-Guard
+Leonin Elder
+Leonin Iconoclast
+Leonin Lightbringer
+Leonin Lightscribe
+Leonin of the Lost Pride
+Leonin Relic-Warder
+Leonin Sanctifier
+Leonin Scimitar
+Leonin Shikari
+Leonin Skyhunter
+Leonin Snarecaster
+Leonin Squire
+Leonin Sun Standard
+Leonin Vanguard
+Leonin Warleader
+Leopard-Spotted Jiao
+Leori, Sparktouched Hunter
+Leovold, Emissary of Trest
+Leovold's Operative
+Leshrac's Rite
+Leshrac's Sigil
+Lesser Gargadon
+Lesser Masticore
+Lesser Werewolf
+Lethal Exploit
+Lethal Scheme
+Lethal Sting
+Lethal Throwdown
+Lethal Vapors
+Lethargy Trap
+Lethe Lake
+Letter of Acceptance
+Let the Galaxy Burn
+Leveler
+Levitating Statue
+Levitation
+Ley Druid
+Ley Line
+Leyline Binding
+Leyline Dowser
+Leyline Immersion
+Leyline Invocation
+Leyline of Abundance
+Leyline of Anticipation
+Leyline of Combustion
+Leyline of Hope
+Leyline of Lifeforce
+Leyline of Lightning
+Leyline of Punishment
+Leyline of Sanctity
+Leyline of Singularity
+Leyline of the Guildpact
+Leyline of the Meek
+Leyline of the Void
+Leyline of Vitality
+Leyline Phantom
+Leyline Prowler
+Leyline Surge
+Leyline Tyrant
+Ley Weaver
+Lhurgoyf
+Liability
+Liara of the Flaming Fist
+Liberate
+Liberated Dwarf
+Liberated Livestock
+Liberating Combustion
+Liberator, Urza's Battlethopter
+Liberty Prime, Recharged
+Library
+Library Larcenist
+Library of Alexandria
+Library of Lat-Nam
+Library of Leng
+Lich
+Lichenthrope
+Lich-Knights' Conquest
+Lich Lord of Unx
+Lich's Caress
+Lich's Mastery
+Lich's Mirror
+Lich's Tomb
+Licia, Sanguine Tribune
+Lictor
+Lidless Gaze
+Liege of the Axe
+Liege of the Hollows
+Liege of the Pit
+Liege of the Tangle
+Lier, Disciple of the Drowned
+Liesa, Forgotten Archangel
+Liesa, Shroud of Dusk
+Lieutenants of the Guard
+Life
+Life and Limb
+Lifebane Zombie
+Lifeblood
+Lifeblood Hydra
+Life Burst
+Life Chisel
+Lifecraft Cavalry
+Lifecrafter's Bestiary
+Lifecrafter's Gift
+Lifecreed Duo
+Life Finds a Way
+Lifeforce
+Life from the Loam
+Lifegift
+Life Goes On
+Life Insurance
+Lifeline
+Lifelink
+Life of the Party
+Life of Toshiro Umezawa
+Life's Finale
+Lifesmith
+Lifespark Spellbomb
+Lifespinner
+Lifespring Druid
+Lifetap
+"Lifetime" Pass Holder
+Lifted by Clouds
+Lightbringer
+Light 'Em Up
+Lightfoot Rogue
+Lightform
+Light from Within
+Lighthouse Chronologist
+Lightkeeper of Emeria
+Lightmine Field
+Lightning Angel
+Lightning Axe
+Lightning Berserker
+Lightning Blast
+Lightning Blow
+Lightning Bolt
+Lightning Cloud
+Lightning Coils
+Lightning-Core Excavator
+Lightning Crafter
+Lightning Diadem
+Lightning Dragon
+Lightning Elemental
+Lightning Greaves
+Lightning Helix
+Lightning Hounds
+Lightning Javelin
+Lightning Mare
+Lightning Mauler
+Lightning Phoenix
+Lightning Prowess
+Lightning Reaver
+Lightning Reflexes
+Lightning Rift
+Lightning-Rig Crew
+Lightning Runner
+Lightning Serpent
+Lightning Shrieker
+Lightning Skelemental
+Lightning Spear
+Lightning Stormkin
+Lightning Strike
+Lightning Surge
+Lightning Talons
+Lightning Visionary
+Lightning Wolf
+Light of Day
+Light of Hope
+Light of Promise
+Light of Sanction
+Light of the Legion
+Light-Paws, Emperor's Voice
+Lightshell Duo
+Lightshield Array
+Light the Way
+Light Up the Night
+Light Up the Stage
+Lightwalker
+Lightwielder Paladin
+Lignify
+Likeness Looter
+Likeness of the Seeker
+Lilah, Undefeated Slickshot
+Liliana, Death Mage
+Liliana, Death's Majesty
+Liliana, Death Wielder
+Liliana, Defiant Necromancer
+Liliana, Dreadhorde General
+Liliana, Heretical Healer
+Liliana of the Dark Realms
+Liliana of the Veil
+Liliana's Caress
+Liliana's Contract
+Liliana's Defeat
+Liliana's Devotee
+Liliana's Elite
+Liliana's Influence
+Liliana's Mastery
+Liliana's Reaver
+Liliana's Scorn
+Liliana's Scrounger
+Liliana's Shade
+Liliana's Specter
+Liliana's Spoils
+Liliana's Standard Bearer
+Liliana's Steward
+Liliana's Talent
+Liliana's Triumph
+Liliana, the Last Hope
+Liliana, the Necromancer
+Liliana, Untouched by Death
+Liliana Vess
+Liliana, Waker of the Dead
+Lilting Refrain
+Lily Bowen, Raging Grandma
+Lilypad Village
+Lilysplash Mentor
+Lim-Dûl's Cohort
+Lim-Dûl's Hex
+Lim-Dûl's High Guard
+Lim-Dûl the Necromancer
+Limits of Solidarity
+Linden, the Steadfast Queen
+Linebreaker Baloth
+Line Cutter
+Linessa, Zephyr Mage
+Lingering Death
+Lingering Mirage
+Lingering Phantom
+Lingering Souls
+Lingering Tormentor
+Lin Sivvi, Defiant Hero
+Linvala, Keeper of Silence
+Linvala, Shield of Sea Gate
+Linvala, the Preserver
+Lionheart Maverick
+Lion Sash
+Lion Umbra
+Liquify
+Liquimetal Coating
+Liquimetal Torque
+Lisette, Dean of the Root
+Lita, Mechanical Engineer
+Lithoform Blight
+Lithoform Engine
+Lithomancer's Focus
+Lithophage
+Littjara
+Littjara Glade-Warden
+Littjara Kinseekers
+Littjara Mirrorlake
+Liturgy of Blood
+Liu Bei, Lord of Shu
+Livaan, Cultist of Tiamat
+Live Fast
+Lively Dirge
+Livewire Lash
+Living Airship
+Living Armor
+Living Artifact
+Living Breakthrough
+Living Conundrum
+Living Death
+Living End
+Living Hive
+Living Inferno
+Living Lands
+Living Lectern
+Living Lightning
+Living Lore
+Living Plane
+Living Tempest
+Living Terrain
+Living Totem
+Living Tsunami
+Living Twister
+Living Wall
+Living Wish
+Livio, Oathsworn Sentinel
+Livonya Silone
+Lizard Blades
+Lizardfolk Librarians
+Lizard Warrior
+Llanowar
+Llanowar Augur
+Llanowar Behemoth
+Llanowar Cavalry
+Llanowar Dead
+Llanowar Elite
+Llanowar Elves
+Llanowar Empath
+Llanowar Envoy
+Llanowar Greenwidow
+Llanowar Knight
+Llanowar Loamspeaker
+Llanowar Mentor
+Llanowar Reborn
+Llanowar Scout
+Llanowar Sentinel
+Llanowar Stalker
+Llanowar Tribe
+Llanowar Vanguard
+Llanowar Visionary
+Llanowar Wastes
+Llawan, Cephalid Empress
+Loafing Giant
+Loamcrafter Faun
+Loamdragger Giant
+Loam Dryad
+Loam Dweller
+Loaming Shaman
+Loam Larva
+Loam Lion
+Loan Shark
+Loathsome Chimera
+Loathsome Curator
+Loathsome Troll
+Lobber Crew
+Lobelia, Defender of Bag End
+Lobe Lobber
+Lobotomy
+Localized Destruction
+Loch Dragon
+Loch Korrigan
+Loch Larent
+Lochmere Serpent
+Lock and Load
+Locked in the Cemetery
+Locket of Yesterdays
+Lockjaw Snapper
+Locthwain Gargoyle
+Locthwain Lancer
+Locthwain Paladin
+Locthwain Scorn
+Locust Miser
+Locust Swarm
+Lodestone Bauble
+Lodestone Golem
+Lodestone Myr
+Lodestone Needle
+Lofty Denial
+Logic Knot
+Lokhust Heavy Destroyer
+Lolth, Spider Queen
+Lonely Arroyo
+Lonely End
+Lonely Sandbar
+Lone Missionary
+Lone Revenant
+Lone Rider
+Lonesome Unicorn
+Lone Wolf
+Lone Wolf of the Natterknolls
+Longbow Archer
+Long-Finned Skywhale
+Long-Forgotten Gohei
+Long Goodbye
+Longhorn Firebeast
+Longhorn Sharpshooter
+Long List of the Ents
+Long Rest
+Long River Lurker
+Long River's Pull
+Long Road Home
+Longshot Squad
+Longstalk Brawl
+Longtusk Cub
+Longtusk Stalker
+Lonis, Cryptozoologist
+Lonis, Genetics Expert
+Look at Me, I'm the DCI
+Lookout's Dispersal
+Look Skyward and Despair
+Looming Altisaur
+Looming Hoverguard
+Looming Shade
+Looming Spires
+Loose in the Park
+Loot Dispute
+Looter il-Kor
+Loot, the Key to Everything
+Loran, Disciple of History
+Loran of the Third Path
+Loran's Escape
+Lorcan, Warlock Collector
+Lord Magnus
+Lord of Atlantis
+Lord of Change
+Lord of Extinction
+Lord of Lineage
+Lord of Shatterskull Pass
+Lord of the Accursed
+Lord of the Forsaken
+Lord of the Nazgûl
+Lord of the Pit
+Lord of the Ulvenwald
+Lord of the Undead
+Lord of the Unreal
+Lord of the Void
+Lord of Tresserhorn
+Lord Skitter's Blessing
+Lord Skitter's Butcher
+Lord Skitter, Sewer King
+Lord Windgrace
+Lord Xander, the Collector
+Lore Broker
+Lore Drakkis
+Lorehold Apprentice
+Lorehold Campus
+Lorehold Command
+Lorehold Excavation
+Lorehold Pledgemage
+Lorescale Coatl
+Lore Seeker
+Loreseeker's Stone
+Lore Weaver
+Lórien Revealed
+Lorthos, the Tidemaker
+Lose Calm
+Lose Focus
+Lose Hope
+Losheel, Clockwork Scholar
+Loss
+Lossarnach Captain
+Lost Auramancers
+Lost Hours
+Lost in a Labyrinth
+Lost in the Maze
+Lost in the Mist
+Lost in the Woods
+Lost in Thought
+Lost Isle Calling
+Lost Jitte
+Lost Legion
+Lost Leonin
+Lost Mine of Phandelver
+Lost Order of Jarkeld
+Lost Soul
+Lost to Legend
+Lost Vale
+Lothlórien Blade
+Lothlórien Lookout
+Lotho, Corrupt Shirriff
+Lotleth Giant
+Lotleth Troll
+Lotus Bloom
+Lotus Cobra
+Lotus-Eye Mystics
+Lotus Field
+Lotus Guardian
+Lotus Path Djinn
+Lotus Petal
+Lotus Ring
+Lotus Vale
+Lounge
+Love Song of Night and Day
+Lovestruck Beast
+Lovisa Coldeyes
+Lowland Basilisk
+Lowland Giant
+Lowland Oaf
+Lowland Tracker
+Loxodon Anchorite
+Loxodon Convert
+Loxodon Eavesdropper
+Loxodon Gatekeeper
+Loxodon Hierarch
+Loxodon Hierarch Avatar
+Loxodon Line Breaker
+Loxodon Mender
+Loxodon Mystic
+Loxodon Partisan
+Loxodon Punisher
+Loxodon Restorer
+Loxodon Sergeant
+Loxodon Smiter
+Loxodon Stalwart
+Loxodon Warhammer
+Loxodon Wayfarer
+Loyal Apprentice
+Loyal Cathar
+Loyal Drake
+Loyal Gryff
+Loyal Guardian
+Loyal Gyrfalcon
+Loyal Inventor
+Loyal Pegasus
+Loyal Retainers
+Loyal Sentry
+Loyal Subordinate
+Loyal Unicorn
+Loyal Warhound
+Lozhan, Dragons' Legacy
+Lu Bu, Master-at-Arms
+Lucas, the Sharpshooter
+Lucent Liminid
+Lucid Dreams
+Lucille
+Lucius the Eternal
+Luck Bobblehead
+Lucky Clover
+Lucky Offering
+Ludevic, Necro-Alchemist
+Ludevic, Necrogenius
+Ludevic's Abomination
+Ludevic's Test Subject
+Lukamina, Bear Form
+Lukamina, Crocodile Form
+Lukamina, Hawk Form
+Lukamina, Moon Druid
+Lukamina, Scorpion Form
+Lukamina, Wolf Form
+Lukka, Bound to Ruin
+Lukka, Coppercoat Outcast
+Lukka, Wayward Bonder
+Lull
+Lullmage Mentor
+Lullmage's Domination
+Lullmage's Familiar
+Lulu, Curious Hollyphant
+Lulu, Forgetful Hollyphant
+Lulu, Helpful Hollyphant
+Lulu, Inspiring Hollyphant
+Lulu, Loyal Hollyphant
+Lulu, Vengeful Hollyphant
+Lulu, Wild Hollyphant
+Lumbering Battlement
+Lumbering Falls
+Lumbering Laundry
+Lumbering Lightshield
+Lumbering Megasloth
+Lumbering Satyr
+Lumberknot
+Lumengrid Drake
+Lumengrid Gargoyle
+Lumengrid Sentinel
+Lumengrid Warden
+Lu Meng, Wu General
+Luminarch Ascension
+Luminarch Aspirant
+Luminate Primordial
+Luminescent Rain
+Luminous Angel
+Luminous Bonds
+Luminous Broodmoth
+Luminous Guardian
+Luminous Phantom
+Luminous Wake
+Lumithread Field
+Lumra, Bellow of the Woods
+Lunar Avenger
+Lunarch Inquisitors
+Lunarch Mantle
+Lunarch Veteran
+Lunar Convocation
+Lunar Force
+Lunar Frenzy
+Lunar Hatchling
+Lunar Mystic
+Lunar Rejection
+Lunge
+Lunk Errant
+Lupari Shield
+Lupine Harbingers
+Lupine Prototype
+Lupinflower Village
+Lurching Rotbeast
+Lure
+Lurebound Scarecrow
+Lure of Prey
+Lurker
+Lurking Arynx
+Lurking Automaton
+Lurking Chupacabra
+Lurking Crocodile
+Lurking Deadeye
+Lurking Evil
+Lurking Green Dragon
+Lurking Informant
+Lurking Jackals
+Lurking Nightstalker
+Lurking Predators
+Lurking Roper
+Lurking Skirge
+Lurking Spinecrawler
+Lurrus of the Dream-Den
+Lush Growth
+Lush Oasis
+Lush Portico
+Lust for War
+Lu Su, Wu Advisor
+Lutri, the Spellchaser
+Luxa River Shrine
+Lux Artillery
+Lux Cannon
+Luxior, Giada's Gift
+Lu Xun, Scholar General
+Luxurious Libation
+Luxurious Locomotive
+Luxury Suite
+Lychguard
+Lydari Druid
+Lydari Elephant
+Lydia Frye
+Lyev Decree
+Lyev Skyknight
+Lymph Sliver
+Lyna
+Lynde, Cheerful Tormentor
+Lynx
+Lyra Dawnbringer
+Lys Alana Bowmaster
+Lys Alana Huntmaster
+Lys Alana Scarblade
+Lyzolda, the Blood Witch Avatar
+Maalfeld Twins
+Mabel, Heir to Cragflame
+Mabel's Mettle
+Macabre Mockery
+Macabre Reconstruction
+Macabre Waltz
+MacCready, Lamplight Mayor
+Mace of Disruption
+Mace of the Valiant
+Macetail Hystrodon
+Ma Chao, Western Warrior
+Machinate
+Machine God's Effigy
+Machine Over Matter
+Madame Vastra
+Mad Auntie
+Madcap Experiment
+Madcap Skills
+Maddening Cacophony
+Maddening Hex
+Maddening Wind
+Mad Dog
+Mad Ratter
+Madrush Cyclops
+Mad Science Fair Project
+Maelstrom Archangel
+Maelstrom Archangel Avatar
+Maelstrom Colossus
+Maelstrom Djinn
+Maelstrom Muse
+Maelstrom Nexus
+Maelstrom Pulse
+Maelstrom Wanderer
+Maestros Ascendancy
+Maestros Charm
+Maestros Confluence
+Maestros Diabolist
+Maestros Initiate
+Maestros Theater
+Maeve, Insidious Singer
+Magar of the Magic Strings
+Maga, Traitor to Mortals
+Magda, Brazen Outlaw
+Magda, the Hoardmaster
+Magebane Armor
+Magebane Lizard
+Mage Duel
+Magefire Wings
+Mage Hunter
+Mage Hunters' Onslaught
+Mage il-Vec
+Mage-Ring Bully
+Mage-Ring Network
+Mage-Ring Responder
+Mage's Attendant
+Mages' Contest
+Mage's Guile
+Mage Slayer
+Mageta's Boon
+Maggot Carrier
+Maggot Therapy
+Magic Missile
+Magister of Worth
+Magister Sphinx
+Magistrate's Scepter
+Magistrate's Veto
+Magma Hellion
+Magma Jet
+Magma Mine
+Magma Opus
+Magma Phoenix
+Magma Pummeler
+Magmaquake
+Magma Rift
+Magmaroth
+Magma Sliver
+Magma Spray
+Magmatic Core
+Magmatic Force
+Magmatic Galleon
+Magmatic Scorchwing
+Magmatic Sinkhole
+Magmatic Sprinter
+Magnanimous Magistrate
+Magnetic Flux
+Magnetic Mine
+Magnetic Mountain
+Magnetic Snuffler
+Magnetic Web
+Magnify
+Magnifying Glass
+Magnigoth Sentry
+Magnigoth Treefolk
+Magnivore
+Magnus the Red
+Magus Lucea Kane
+Magus of the Abyss
+Magus of the Arena
+Magus of the Balance
+Magus of the Bridge
+Magus of the Coffers
+Magus of the Disk
+Magus of the Future
+Magus of the Library
+Magus of the Mind
+Magus of the Mirror
+Magus of the Moat
+Magus of the Moon
+Magus of the Order
+Magus of the Scroll
+Magus of the Tabernacle
+Magus of the Vineyard
+Magus of the Will
+Mahadi, Emporium Master
+Maha, Its Feathers Night
+Mahamoti Djinn
+Mairsil, the Pretender
+Maja, Bretagard Protector
+Majestic Auricorn
+Majestic Genesis
+Majestic Heliopterus
+Majestic Metamorphosis
+Majestic Myriarch
+Major Teroh
+Make an Example
+Make a Stand
+Make a Wish
+Make Disappear
+Make Mischief
+Make Obsolete
+Makeshift Battalion
+Makeshift Binding
+Makeshift Mannequin
+Makeshift Mauler
+Makeshift Munitions
+Make Your Mark
+Make Your Move
+Make Your Own Luck
+Make Yourself Useful
+Makindi Aeronaut
+Makindi Griffin
+Makindi Mesas
+Makindi Ox
+Makindi Patrol
+Makindi Shieldmate
+Makindi Sliderunner
+Makindi Stampede
+Malachite Golem
+Malachite Talisman
+Malach of the Dawn
+Malady Invoker
+Malakir Blood-Priest
+Malakir Bloodwitch
+Malakir Cullblade
+Malakir Familiar
+Malakir Mire
+Malakir Rebirth
+Malamet Battle Glyph
+Malamet Brawler
+Malamet Scythe
+Malamet Veteran
+Malamet War Scribe
+Malanthrope
+Malcator, Purity Overseer
+Malcator's Watcher
+Malcolm, Alluring Scoundrel
+Malcolm, Keen-Eyed Navigator
+Malcolm, the Eyes
+Malefic Scythe
+Malevolent Hermit
+Malevolent Noble
+Malevolent Rumble
+Malevolent Whispers
+Malevolent Witchkite
+Malfegor
+Malfegor Avatar
+Malfunction
+Malice
+Malicious Affliction
+Malicious Eclipse
+Malicious Intent
+Malicious Invader
+Malicious Malfunction
+Malignant Growth
+Malignus
+Malleable Impostor
+Mammoth Growth
+Mammoth Harness
+Mammoth Spider
+Mammoth Umbra
+Manabarbs
+Mana Bloom
+Mana Breach
+Mana Cannons
+Mana Chains
+Mana-Charged Dragon
+Manacles of Decay
+Mana Confluence
+Mana Crypt
+Mana Drain
+Mana Echoes
+Mana Flare
+Manaforce Mace
+Manaforge Cinder
+Manaform Hellkite
+Mana Geode
+Mana Geyser
+Managorger Hydra
+Managorger Phoenix
+Manakin
+Mana Leak
+Mana Leech
+Manalith
+Mana Matrix
+Manaplasm
+Mana Reflection
+Mana Skimmer
+Mana Tithe
+Mana Vault
+Mana Vortex
+Mana Web
+Manaweft Sliver
+Mandate of Abaddon
+Mandible Justiciar
+Mandibular Kite
+Maned Serval
+Mangara of Corondor
+Mangara's Blessing
+Mangara's Equity
+Mangara, the Diplomat
+Manglehorn
+Maniacal Rage
+Manic Scribe
+Manic Vandal
+Manifestation Sage
+Manifold Insights
+Manifold Mouse
+Manor Gate
+Manor Guardian
+Manor Skeleton
+Man-o'-War
+Manriki-Gusari
+Manta Ray
+Manta Riders
+Manticore
+Manticore Eternal
+Manticore of the Gauntlet
+Mantis Engine
+Mantis Rider
+Mantle of Leadership
+Mantle of the Ancients
+Mantle of the Wolf
+Mantle of Tides
+Mantle of Webs
+Many Partings
+Mapping the Maze
+Map the Frontier
+Map the Wastes
+Maraleaf Pixie
+Maralen of the Mornsong
+Marang River Prowler
+Marang River Skeleton
+Marauder's Axe
+Marauding Blight-Priest
+Marauding Boneslasher
+Marauding Brinefang
+Marauding Dreadship
+Marauding Knight
+Marauding Looter
+Marauding Maulhorn
+Marauding Sphinx
+Maraxus
+Marble Chalice
+Marble Diamond
+Marble Gargoyle
+Marble Priest
+Marble Titan
+Marchesa, Dealer of Death
+Marchesa, Resolute Monarch
+Marchesa's Decree
+Marchesa's Emissary
+Marchesa's Infiltrator
+Marchesa's Smuggler
+Marchesa, the Black Rose
+March from the Black Gate
+March from the Tomb
+March from Velis Vel
+Marching Duodrone
+March of Burgeoning Life
+March of Otherworldly Light
+March of Progress
+March of Reckless Joy
+March of Souls
+March of Swirling Mist
+March of the Canonized
+March of the Machines
+March of the Multitudes
+March of the Returned
+March of Wretched Sorrow
+March Toward Perfection
+Marcus, Mutant Mayor
+Mardu Ascendancy
+Mardu Banner
+Mardu Charm
+Mardu Hateblade
+Mardu Heart-Piercer
+Mardu Hordechief
+Mardu Outrider
+Mardu Roughrider
+Mardu Runemark
+Mardu Scout
+Mardu Shadowspear
+Mardu Skullhunter
+Mardu Strike Leader
+Mardu Warshrieker
+Mardu Woe-Reaper
+Marhault Elsdragon
+Marionette Apprentice
+Marionette Master
+Mariposa Military Base
+Marisi, Breaker of the Coil
+Marisi's Twinclaws
+Mari, the Killing Quill
+Maritime Guard
+Marit Lage's Slumber
+Marjhan
+Marked by Honor
+Market
+Market Gnome
+Marketwatch Phantom
+Mark of Asylum
+Mark of Eviction
+Mark of Fury
+Mark of Mutiny
+Mark of Sakiko
+Mark of the Oni
+Mark of the Vampire
+Markov Baron
+Markov Blademaster
+Markov Crusader
+Markov Dreadknight
+Markov Enforcer
+Markov Patrician
+Markov Purifier
+Markov Retribution
+Markov's Servant
+Markov Waltzer
+Markov Warlord
+Marneus Calgar
+Marrow Bats
+Marrow Chomper
+Marrow-Gnawer
+Marrow Shards
+Marshaling Cry
+Marshal of Zhalfir
+Marsh Boa
+Marsh Casualties
+Marsh Crocodile
+Marshdrinker Giant
+Marsh Flats
+Marsh Gas
+Marsh Goblins
+Marsh Hulk
+Marshland Bloodcaster
+Marshmist Titan
+Marsh Threader
+Marsh Viper
+Martha Jones
+Martial Coup
+Martial Glory
+Martial Impetus
+Martial Law
+Márton Stromgald
+Martyrdom
+Martyr for the Cause
+Martyr of Dusk
+Martyr's Bond
+Martyr's Cry
+Martyrs of Korlis
+Martyr's Soul
+Marut
+Marvo, Deep Operative
+Marwyn's Kindred
+Marwyn, the Nurturer
+Mary Read and Anne Bonny
+Masako the Humorless
+Mascot Exhibition
+Mascot Interception
+Masked Admirers
+Masked Bandits
+Masked Blackguard
+Masked Gorgon
+Masked Vandal
+Mask of Avacyn
+Mask of Griselbrand
+Mask of Intolerance
+Mask of Law and Grace
+Mask of Memory
+Mask of Riddles
+Mask of the Jadecrafter
+Mask of the Schemer
+Maskwood Nexus
+Massacre
+Massacre Girl
+Massacre Girl, Known Killer
+Massacre Wurm
+Mass Appeal
+Mass Calcify
+Mass Diminish
+Mass Hysteria
+Massive Might
+Massive Raid
+Mass Manipulation
+Mass Mutiny
+Mass of Ghouls
+Mass Production
+Master Apothecary
+Master Biomancer
+Master Chef
+Master Decoy
+Master Healer
+Mastermind Plum
+Mastermind's Acquisition
+Master of Arms
+Master of Ceremonies
+Master of Cruelties
+Master of Dark Rites
+Master of Death
+Master of Diversion
+Master of Etherium
+Master of Pearls
+Master of Predicaments
+Master of the Feast
+Master of the Hunt
+Master of the Pearl Trident
+Master of the Wild Hunt
+Master of the Wild Hunt Avatar
+Master of Waves
+Master of Winds
+Master's Call
+Master's Guide-Mural
+Master Skald
+Master's Manufactory
+Master Splicer
+Master's Rebuke
+Master Symmetrist
+Master the Way
+Master Thief
+Master Transmuter
+Master Trinketeer
+Masterwork of Ingenuity
+Mastery of the Unseen
+Matca Rioters
+Mathas, Fiend Seeker
+Matopi Golem
+Matsu-Tribe Birdstalker
+Matsu-Tribe Decoy
+Matsu-Tribe Sniper
+Matter Reshaper
+Matzalantli, the Great Door
+Mauhúr, Uruk-hai Captain
+Maulfist Doorbuster
+Maulfist Revolutionary
+Maulfist Squad
+Maul of the Skyclaves
+Maul Splicer
+Mausoleum Guard
+Mausoleum Harpy
+Mausoleum Secrets
+Mausoleum Turnkey
+Mausoleum Wanderer
+Maverick Thopterist
+Mavinda, Students' Advocate
+Mavren Fein, Dusk Apostle
+Mawcor
+Mawloc
+Maw of Kozilek
+Maw of the Mire
+Maw of the Obzedat
+Maximize Altitude
+Maximize Velocity
+Max, the Daredevil
+Mayael's Aria
+Mayael the Anima
+Mayael the Anima Avatar
+May Civilization Collapse
+Mayhem Devil
+Mayhem Patrol
+Mayor of Avabruck
+Maze Abomination
+Maze Behemoth
+Maze Glider
+Mazemind Tome
+Maze of Ith
+Maze of Shadows
+Maze Rusher
+Maze's End
+Maze Sentinel
+Maze Skullbomb
+Maze's Mantle
+Mazirek, Kraul Death Priest
+Mazzy, Truesword Paladin
+Meadowboon
+Meandering River
+Meandering Towershell
+Mechanized Production
+Mechanized Warfare
+Mech Hangar
+Mechtitan Core
+Meddling Mage
+Meddling Youths
+Medicine Runner
+Meditate
+Meditation Puzzle
+Medomai's Prophecy
+Medomai the Ageless
+Meekstone
+Meeting of Minds
+Meeting of the Five
+Megaflora Jungle
+Megantic Sliver
+Megatog
+Megaton's Fate
+Megatron, Destructive Force
+Megatron, Tyrant
+Meglonoth
+Megrim
+Meishin, the Mind Cage
+Melancholy
+Meldweb Curator
+Meldweb Strider
+Melek, Izzet Paragon
+Melek, Reforged Researcher
+Melesse Spirit
+Meletis Astronomer
+Meletis Charlatan
+Melira's Keepers
+Melira, Sylvok Outcast
+Melira, the Living Cure
+Meloku the Clouded Mirror
+Melting
+Melt Terrain
+Melt Through
+Memnarch
+Memnite
+Memorial to Folly
+Memorial to Genius
+Memorial to Glory
+Memorial to Unity
+Memorial to War
+Memory
+Memory Crystal
+Memory Deluge
+Memory Drain
+Memory Erosion
+Memory Lapse
+Memory Leak
+Memory of Toshiro
+Memory Sluice
+Memory Theft
+Memory Vampire
+Memory Vessel
+Memory Worm
+Menacing Ogre
+Menagerie Curator
+Menagerie Liberator
+Mending Hands
+Mending Touch
+Mend the Wilds
+Meneldor, Swift Savior
+Meng Huo, Barbarian King
+Meng Huo's Horde
+Mental Agony
+Mental Journey
+Mental Misstep
+Mental Note
+Mental Vapors
+Mentor of Evos Isle
+Mentor of the Meek
+Mentor's Guidance
+Mephidross Slime
+Mephidross Vampire
+Mephitic Draught
+Mephitic Ooze
+Mephitic Vapors
+Mephit's Enthusiasm
+Mercadian Atlas
+Mercadian Bazaar
+Mercenaries
+Mercenary Informer
+Mercenary Knight
+Merchant of Secrets
+Merchant of the Vale
+Merchant of Truth
+Merchant Raiders
+Merchant's Dockhand
+Merchant Ship
+Merciless Eternal
+Merciless Eviction
+Merciless Executioner
+Merciless Harlequin
+Merciless Javelineer
+Merciless Predator
+Merciless Repurposing
+Mercurial Chemister
+Mercurial Geists
+Mercurial Kite
+Mercurial Pretender
+Mercurial Spelldancer
+Mercurial Transformation
+Mercy Killing
+Mer-Ek Nightblade
+Meren of Clan Nel Toth
+Merfolk Assassin
+Merfolk Branchwalker
+Merfolk Cave-Diver
+Merfolk Coralsmith
+Merfolk Falconer
+Merfolk Looter
+Merfolk Mesmerist
+Merfolk Mistbinder
+Merfolk Observer
+Merfolk of the Depths
+Merfolk of the Pearl Trident
+Merfolk Pupil
+Merfolk Raiders
+Merfolk Seastalkers
+Merfolk Secretkeeper
+Merfolk Seer
+Merfolk Skydiver
+Merfolk Skyscout
+Merfolk Sovereign
+Merfolk Spy
+Merfolk Traders
+Merfolk Trickster
+Merfolk Tunnel-Guide
+Merfolk Wayfinder
+Merfolk Windrobber
+Meriadoc Brandybuck
+Meria, Scholar of Antiquity
+Meria's Outrider
+Merieke Ri Berit
+Mer Man
+Merrow Bonegnawer
+Merrow Commerce
+Merrow Harbinger
+Merrow Levitator
+Merrow Reejerey
+Merrow Witsniper
+Merry Bards
+Merry, Esquire of Rohan
+Merry-Go-Round
+Merry, Warden of Isengard
+Merseine
+Mesa Cavalier
+Mesa Enchantress
+Mesa Falcon
+Mesa Lynx
+Mesa Pegasus
+Mesa Unicorn
+Mesmeric Fiend
+Mesmeric Glare
+Mesmeric Orb
+Mesmerizing Benthid
+Mesmerizing Dose
+Messenger Drake
+Messenger Falcons
+Messenger Jays
+Messenger's Speed
+Metal Fatigue
+Metallic Mastery
+Metallic Mimic
+Metallic Rebuke
+Metallic Sliver
+Metallurgeon
+Metallurgic Summonings
+Metalspinner's Puzzleknot
+Metalwork Colossus
+Metamorphic Alteration
+Metamorphic Blast
+Metamorphic Wurm
+Metastatic Evangel
+Metathran Aerostat
+Metathran Elite
+Metathran Soldier
+Metathran Zombie
+Meteor Blast
+Meteor Golem
+Meteoric Mace
+Meteorite
+Meteor Storm
+Meteor Swarm
+Me, the Immortal
+Meticulous Archive
+Meticulous Excavation
+Metrognome
+Metropolis Angel
+Metropolis Reformer
+Metropolis Sprite
+Metzali, Tower of Triumph
+Mezzio Mugger
+Miara, Thorn of the Glade
+Miasmic Mummy
+Michiko Konda, Truth Seeker
+Michiko's Reign of Truth
+Michonne, Ruthless Survivor
+Micromancer
+Midnight Arsonist
+Midnight Assassin
+Midnight Banshee
+Midnight Charm
+Midnight Clock
+Midnight Covenant
+Midnight Crusader Shuttle
+Midnight Duelist
+Midnight Entourage
+Midnight Guard
+Midnight Haunting
+Midnight Oil
+Midnight Pathlighter
+Midnight Reaper
+Midnight Recovery
+Midnight Scavengers
+Midvast Protector
+Might Beyond Reason
+Might Makes Right
+Might of Alara
+Might of Murasa
+Might of Oaks
+Might of Old Krosa
+Might of the Ancestors
+Might of the Masses
+Might of the Meek
+Might of the Old Ways
+Might Sliver
+Mightstone
+Mightstone's Animation
+Might Weaver
+Mighty Emergence
+Mighty Leap
+Mighty Servant of Leuk-o
+Migloz, Maze Crusher
+Migration Path
+Migratory Greathorn
+Migratory Route
+Miirym, Sentinel Wyrm
+Mijae Djinn
+Mikaeus, the Lunarch
+Mikaeus, the Unhallowed
+Mike, the Dungeon Master
+Mikokoro, Center of the Sea
+Mila, Crafty Companion
+Mild-Mannered Librarian
+Militant Angel
+Militant Inquisitor
+Militant Monk
+Military Discipline
+Military Intelligence
+Militia Bugler
+Militia Rallier
+Militia's Pride
+Millennial Gargoyle
+Millicent, Restless Revenant
+Millikin
+Millstone
+Mimeofacture
+Mimic
+Mimic Vat
+Miming Slime
+Mina and Denn, Wildborn
+Minamo
+Minamo, School at Water's Edge
+Minamo Scrollkeeper
+Minamo's Meddling
+Minas Morgul, Dark Fortress
+Minas Tirith
+Minas Tirith Garrison
+Mind
+Mindbender Spores
+Mindblade Render
+Mind Burst
+Mind Carver
+Mindclaw Shaman
+Mind Control
+Mindcrank
+Mindculling
+Mind Drain
+Mind Drill Assailant
+Mindeye Drake
+Mind Flayer
+Mind Flayer, the Shadow
+Mind Funeral
+Mind Grind
+Mind Harness
+Mind Knives
+Mindleecher
+Mindleech Ghoul
+Mindleech Mass
+Mindless Automaton
+Mindless Conscription
+Mindless Null
+Mindlock Orb
+Mind Maggots
+Mindmelter
+Mindmoil
+Mind Peel
+Mind Rake
+Mind Raker
+Mind Ravel
+Mind Rot
+Mindscour Dragon
+Mind Sculpt
+Mind's Desire
+Mind's Dilation
+Mind's Eye
+Mind Shatter
+Mindshrieker
+Mindslicer
+Mind Sludge
+Mindsparker
+Mind Spike
+Mind Spiral
+Mindsplice Apparatus
+Mind Spring
+Mindstab
+Mindstab Thrull
+Mindstatic
+Mind Stone
+Mindstorm Crown
+Mindswipe
+Mind Twist
+Mind Unbound
+Mind Warp
+Mindwarper
+Mind Whip
+Mindwhip Sliver
+Mindwhisker
+Mindwrack Demon
+Mindwrack Harpy
+Mindwrack Liege
+Mine Bearer
+Minecart Daredevil
+Mine Collapse
+Mine Excavation
+Mine Layer
+Mine, Mine, Mine!
+Mine Raider
+Miner's Bane
+Miner's Guidewing
+Mineshaft Spider
+Mines of Moria
+Mine Worker
+Minimus Containment
+Minion of Tevesh Szat
+Minion of the Mighty
+Minion Reflector
+Minion's Return
+Minister of Impediments
+Minister of Inquiries
+Minister of Pain
+Ministrant of Obligation
+Minn, Wily Illusionist
+Minor Misstep
+Minotaur Abomination
+Minotaur Aggressor
+Minotaur Explorer
+Minotaur Illusionist
+Minotaur Skullcleaver
+Minotaur Sureshot
+Minotaur Tactician
+Minotaur Warrior
+Minsc, Beloved Ranger
+Minsc & Boo, Timeless Heroes
+Minthara, Merciless Soul
+Minthara of the Absolute
+Mintstrosity
+Miracle Worker
+Miraculous Recovery
+Mirage Mesa
+Mirage Mockery
+Mirage Phalanx
+Mirari
+Mirari's Wake
+Mire Blight
+Mire Boa
+Mire in Misery
+Mire Kavu
+Mirelurk Queen
+Miren, the Moaning Well
+Mire's Grasp
+Mire's Malice
+Mire's Toll
+Mire Triton
+Miriam, Herd Whisperer
+Mirko, Obsessive Theorist
+Mirko Vosk, Mind Drinker
+Mirkwood Bats
+Mirkwood Channeler
+Mirkwood Elk
+Mirkwood Spider
+Mirkwood Trapper
+Mirran Banesplitter
+Mirran Bardiche
+Mirran Crusader
+Mirran Mettle
+Mirran Safehouse
+Mirran Spy
+Mirrex
+Mirri, Cat Warrior
+Mirri's Guile
+Mirri the Cursed
+Mirri the Cursed Avatar
+Mirri, Weatherlight Duelist
+Mirrodin Avenged
+Mirrodin Besieged
+Mirrodin's Core
+Mirror Box
+Mirrored Depths
+Mirrored Lotus
+Mirror Entity Avatar
+Mirror Gallery
+Mirror Golem
+Mirrorhall Mimic
+Mirror Image
+Mirrormade
+Mirror-Mad Phantasm
+Mirror March
+Mirror Match
+Mirrormere Guardian
+Mirror Mockery
+Mirror of Galadriel
+Mirror of Life Trapping
+Mirrorpool
+Mirror Sheen
+Mirrorshell Crab
+Mirror Shield
+Mirror-Shield Hoplite
+Mirror-Sigil Sergeant
+Mirror-Style Master
+Mirror Universe
+Mirror Wall
+Mirrorweave
+Mirrorwing Dragon
+Mirrorworks
+Miscalculation
+Miscast
+Mischief and Mayhem
+Mischievous Catgeist
+Mischievous Chimera
+Mischievous Poltergeist
+Mischievous Pup
+Mise
+Misers' Cage
+Misery Charm
+Misery's Shadow
+Misfortune
+Misfortune's Gain
+Misfortune Teller
+Misguided Rage
+Mishra
+Mishra, Artificer Prodigy
+Mishra, Claimed by Gix
+Mishra, Eminent One
+Mishra, Excavation Prodigy
+Mishra, Lost to Phyrexia
+Mishra's Command
+Mishra's Domination
+Mishra's Factory
+Mishra's Foundry
+Mishra's Groundbreaker
+Mishra's Juggernaut
+Mishra's Onslaught
+Mishra's Research Desk
+Mishra's Self-Replicator
+Mishra's War Machine
+Mishra's Workshop
+Mishra, Tamer of Mak Fawa
+Misleading Motes
+Misshapen Fiend
+Misstep
+Missy
+Mistbind Clique
+Mistblade Shinobi
+Mistcaller
+Mist-Cloaked Herald
+Mistcutter Hydra
+Mist Dancer
+Mist Dragon
+Mister Gutsy
+Mistfire Adept
+Mistfire Weaver
+Mistfolk
+Mistford River Turtle
+Mistform Ultimus
+Mistgate Pathway
+Misthios's Fury
+Misthollow Griffin
+Misthoof Kirin
+Mist Intruder
+Mist Leopard
+Mistmeadow Skulk
+Mistmeadow Vanisher
+Mistmeadow Witch
+Mistmoon Griffin
+Mist of Stagnation
+Mistral Charger
+Mistral Singer
+Mist Raven
+Mists of Littjara
+Mists of Lórien
+Mist-Syndicate Naga
+Mistvault Bridge
+Mistveil Plains
+Mistvein Borderpost
+Mistwalker
+Mistway Spy
+Misty Rainforest
+Mite Overseer
+Mithril Coat
+Mitotic Slime
+Mizzium Meddler
+Mizzium Mortars
+Mizzium Skin
+Mizzium Tank
+Mizzix of the Izmagnus
+Mizzix, Replica Rider
+Mjölnir, Storm Hammer
+Mnemonic Betrayal
+Mnemonic Deluge
+Mnemonic Sliver
+Mnemonic Sphere
+Mnemonic Wall
+Moaning Spirit
+Moaning Wall
+Moan of the Unhallowed
+Moat
+Moat Piranhas
+Mob
+Mobile Fort
+Mobile Garrison
+Mobile Homestead
+Mobilization
+Mobilize
+Mobilized District
+Mobilizer Mech
+Mob Justice
+Mob Mentality
+Mob Rule
+Mob Verdict
+Mockery of Nature
+Mockingbird
+Mocking Doppelganger
+Mocking Sprite
+Model of Unity
+Moderation
+Modify Memory
+M'Odo, the Gnarled Oracle
+Mogg Alarm
+Mogg Assassin
+Mogg Bombers
+Moggcatcher
+Mogg Conscripts
+Mogg Fanatic
+Mogg Flunkies
+Mogg Hollows
+Mogg Infestation
+Mogg Jailer
+Mogg Maniac
+Mogg Mob
+Mogg Salvage
+Mogg Sentry
+Mogg Toady
+Mogg War Marshal
+Mogis, God of Slaughter
+Mogis's Favor
+Mogis's Marauder
+Moira and Teshar
+Moira Brown, Guide Author
+Moira, Urborg Haunt
+Mold Adder
+Mold Demon
+Molder
+Molder Beast
+Molderhulk
+Moldering Karok
+Molder Slug
+Moldervine Cloak
+Moldervine Reclamation
+Mold Folk
+Moldgraf Millipede
+Moldgraf Monstrosity
+Moldgraf Scavenger
+Mold Shambler
+Mole Worms
+Molimo, Maro-Sorcerer
+Molten Birth
+Molten Blast
+Molten Collapse
+Molten Disaster
+Molten Duplication
+Molten Echoes
+Molten Frame
+Molten Gatekeeper
+Molten Hydra
+Molten Impact
+Molten Influence
+Molten Monstrosity
+Molten Nursery
+Molten Primordial
+Molten Psyche
+Molten Rain
+Molten Ravager
+Molten Rebuke
+Molten Sentry
+Moltensteel Dragon
+Molten-Tail Masticore
+Molten Tributary
+Molten Vortex
+Molting Harpy
+Molting Skin
+Molting Snakeskin
+Momentary Blink
+Moment of Craving
+Moment of Defiance
+Moment of Heroism
+Moment of Triumph
+Moment of Truth
+Moment of Valor
+Moment's Peace
+Momentum
+Momentum Rumbler
+Momir Vig, Simic Visionary
+Momir Vig, Simic Visionary Avatar
+Monastery Flock
+Monastery Loremaster
+Monastery Mentor
+Monastery Raid
+Monastery Siege
+Monastery Swiftspear
+Mondassian Colony Ship
+Mondrak, Glory Dominus
+Mondronen Shaman
+Mongrel Pack
+Monk Class
+Monkey Cage
+Monk Idealist
+Monk of the Open Hand
+Monk Realist
+Monologue Tax
+Monomania
+Monoskelion
+Monoxa, Midway Manager
+Monsoon
+Mons's Goblin Raiders
+Monster Manual
+Monstrify
+Monstrosity of the Lake
+Monstrous Carabid
+Monstrous Growth
+Monstrous Hound
+Monstrous Onslaught
+Monstrous Rage
+Monstrous Step
+Monstrous Vortex
+Monstrous War-Leech
+Monumental Corruption
+Monumental Henge
+Monument to Perfection
+Moodmark Painter
+Moonblade Shinobi
+Moon-Blessed Cleric
+Moon-Circuit Hacker
+Moon-Eating Dog
+Moonfolk Puzzlemaker
+Moonglove Changeling
+Moonglove Extract
+Moonglove Winnower
+Moon Heron
+Moonhold
+Moonlight Hunt
+Moonlit Ambusher
+Moonlit Scavengers
+Moonlit Strider
+Moonlit Wake
+Moonrage Brute
+Moonrager's Slash
+Moonrise Cleric
+Moonrise Intruder
+Moonscarred Werewolf
+Moonshae Pixie
+Moonshaker Cavalry
+Moonsilver Key
+Moonsilver Spear
+Moonsnare Prototype
+Moonsnare Specialist
+Moon Sprite
+Moonstone Eulogist
+Moonstone Harbinger
+Moonveil Dragon
+Moonveil Regent
+Moonwing Moth
+Moor Fiend
+Moorish Cavalry
+Moorland Drifter
+Moorland Haunt
+Moorland Inquisitor
+Moorland Rescuer
+Moradin's Disciples
+Morale
+Moraug, Fury of Akoum
+Morbid Bloom
+Morbid Curiosity
+Morbid Hunger
+Morbid Opportunist
+Morbid Plunder
+Mordant Dragon
+Mordenkainen
+Mordenkainen's Polymorph
+Mordor Muster
+Mordor on the March
+Mordor Trebuchet
+Morgue Burst
+Morgue Theft
+Morgul-Knife Wound
+Moria Marauder
+Moria Scavenger
+Moriok Reaver
+Moriok Rigger
+Moriok Scavenger
+Moritte of the Frost
+Morkrut Banshee
+Morkrut Behemoth
+Morkrut Necropod
+Morning Apparition
+Morningtide
+Moroii
+Morophon, the Boundless
+Morphic Pool
+Morphic Tide
+Morphling
+Morselhoarder
+Morsel Theft
+Morska, Undersea Sleuth
+Mortal Combat
+Mortal Flesh Is Weak
+Mortality Spear
+Mortal Obstinacy
+Mortal's Ardor
+Mortal's Resolve
+Mortal Wound
+Mortarion, Daemon Primarch
+Mortarpod
+Mortician Beetle
+Mortify
+Mortipede
+Mortiphobia
+Mortis Dogs
+Mortivore
+Mortuary
+Mortuary Mire
+Mortus Strider
+Mosquito Guard
+Mossbeard Ancient
+Mossbridge Troll
+Mosscoat Goriak
+Moss Diamond
+Mossdog
+Moss Kami
+Moss Monster
+Moss-Pit Skeleton
+Mosstodon
+Moss Viper
+Mosswood Dreadknight
+Mosswort Bridge
+Most Wanted
+Mothdust Changeling
+Mother Bear
+Mother Kangaroo
+Mother of Runes
+Mothrider Cavalry
+Mothrider Patrol
+Mothrider Samurai
+Motion Sickness
+Motivated Pony
+Mountain
+Mountain Bandit
+Mountain Goat
+Mountain Mover
+Mountain Stronghold
+Mountain Valley
+Mountain Yeti
+Mount Doom
+Mounted Archers
+Mounted Dreadknight
+Mount Keralia
+Mount Velus Manticore
+Mourner's Shield
+Mourner's Surprise
+Mournful Zombie
+Mourning Patrol
+Mourning Thrull
+Mournwhelk
+Mournwillow
+Mouse Trapper
+Mouth
+Mouth of Ronom
+Mowu, Loyal Companion
+Mox Amber
+Mox Diamond
+Mox Emerald
+Mox Jet
+Mox Opal
+Mox Pearl
+Mox Ruby
+Mox Sapphire
+Mox Tantalite
+Mr. Foxglove
+Mr. House, President and CEO
+Mr. Orfeo, the Boulder
+Ms. Bumbleflower
+Mtenda Griffin
+Mtenda Herder
+Mtenda Lion
+Muck Drubb
+Muck Rats
+Mudbrawler Cohort
+Mudbrawler Raiders
+Mudbutton Clanger
+Mudbutton Torchrunner
+Muddle the Mixture
+Mudflat Village
+Mudhole
+Mudslide
+Muerra, Trash Tactician
+Mugging
+Mukotai Ambusher
+Mukotai Soulripper
+Mulch
+Mul Daya Channelers
+Muldrotha, the Gravetide
+Mulldrifter
+Multani
+Multani, Maro-Sorcerer
+Multani's Acolyte
+Multani's Decree
+Multani's Harmony
+Multani's Presence
+Multani, Yavimaya's Avatar
+Multiclass Baldric
+Multiform Wonder
+Multiple Choice
+Mummy Paramount
+Munda, Ambush Leader
+Munda's Vanguard
+Mundungu
+Mungha Wurm
+Munitions Expert
+Muraganda Petroglyphs
+Murasa
+Murasa Behemoth
+Murasa Brute
+Murasa Pyromancer
+Murasa Ranger
+Murasa Rootgrazer
+Murasa Sproutling
+Murder
+Murderer's Axe
+Murder Investigation
+Murder of Crows
+Murderous Compulsion
+Murderous Cut
+Murderous Redcap
+Murderous Redcap Avatar
+Murderous Rider
+Murderous Spoils
+Murgish Cemetery
+Murk Dwellers
+Murkfiend Liege
+Murk Strider
+Murktide Regent
+Murkwater Pathway
+Murmuration
+Murmuring Bosk
+Murmuring Mystic
+Murmuring Phantasm
+Murmurs from Beyond
+Muscle Burst
+Muscle Sliver
+Muse Drake
+Museum Nightwatch
+Muse Vessel
+Muse Vortex
+Mushroom Watchdogs
+Musician
+Muster the Departed
+Mutagen Connoisseur
+Mutagenic Growth
+Mutalith Vortex Beast
+Mutant's Prey
+Mutated Cultist
+Mutational Advantage
+Mutavault
+Mutilate
+Mutiny
+Mutual Destruction
+Mutual Epiphany
+Muxus, Goblin Grandee
+Mu Yanling
+Mu Yanling, Celestial Wind
+Mu Yanling, Sky Dancer
+Muzzio's Preparations
+Muzzio, Visionary Architect
+Muzzle
+Mwonvuli Acid-Moss
+Mwonvuli Beast Tracker
+Mwonvuli Ooze
+Mycelic Ballad
+Mycoid Maze
+Mycoid Resurrection
+Mycoid Shepherd
+Mycologist
+Mycoloth
+Myconid Spore Tender
+Mycosynth Fiend
+Mycosynth Golem
+Mycosynth Lattice
+Mycosynth Wellspring
+My Crushing Masterstroke
+My Forces Are Innumerable
+My Genius Knows No Bounds
+My Laughter Echoes
+Myojin of Blooming Dawn
+Myojin of Cleansing Fire
+Myojin of Cryptic Dreams
+Myojin of Grim Betrayal
+Myojin of Infinite Rage
+Myojin of Night's Reach
+Myojin of Roaring Blades
+Myojin of Towering Might
+Myr Adapter
+Myra the Magnificent
+Myr Battlesphere
+Myr Convert
+Myr Custodian
+Myrel, Shield of Argive
+Myr Enforcer
+Myr Galvanizer
+Myriad Construct
+Myriad Landscape
+Myr Incubator
+Myr Kinsmith
+Myrkul, Lord of Bones
+Myrkul's Edict
+Myrkul's Invoker
+Myr Matrix
+Myr Mindservant
+Myr Moonvessel
+Myr Propagator
+Myr Prototype
+Myr Reservoir
+Myr Retriever
+Myr Scrapling
+Myr Servitor
+Myr Sire
+Myrsmith
+Myr Superion
+Myr Turbine
+Myr Welder
+Mysteries of the Deep
+Mysterious Egg
+Mysterious Limousine
+Mysterious Pathlighter
+Mysterious Stranger
+Mysterious Tome
+Mystery Key
+Mystical Dispute
+Mystical Teachings
+Mystical Tether
+Mystical Tutor
+Mystic Archaeologist
+Mystic Crusader
+Mystic Decree
+Mystic Denial
+Mystic Enforcer
+Mystic Familiar
+Mystic Forge
+Mystic Genesis
+Mystic Meditation
+Mystic Melting
+Mystic Might
+Mystic Monastery
+Mystic Monstrosity
+Mystic of the Hidden Way
+Mystic Peak
+Mystic Penitent
+Mystic Redaction
+Mystic Remora
+Mystic Repeal
+Mystic Restraints
+Mystic Retrieval
+Mystic Sanctuary
+Mystic Skull
+Mystic Skyfish
+Mystic Snake
+Mystic Speculation
+Mystic Subdual
+Mystic Visionary
+Mystic Zealot
+Mystifying Maze
+Mythic Proportions
+Mythos of Brokkos
+Mythos of Illuna
+Mythos of Nethroi
+Mythos of Vadrok
+Myth Realized
+Myth Unbound
+Mythweaver Poq
+My Undead Horde Awakens
+My Wish Is Your Command
+Naar Isle
+Naban, Dean of Iteration
+Nacatl Outlander
+Nacatl Savage
+Nacatl War-Pride
+Nacre Talisman
+Nadaar, Selfless Paladin
+Nadier, Agent of the Duskenel
+Nadier's Nightblade
+Nadir Kraken
+Nadu, Winged Wisdom
+Nael, Avizoa Aeronaut
+Nafs Asp
+Naga Eternal
+Nagao, Bound by Honor
+Naga Oracle
+Naga Vitalist
+Nagging Thoughts
+Nahiri, Forged in Fury
+Nahiri, Heir of the Ancients
+Nahiri's Binding
+Nahiri's Machinations
+Nahiri's Resolve
+Nahiri's Sacrifice
+Nahiri's Stoneblades
+Nahiri, Storm of Stone
+Nahiri's Warcrafting
+Nahiri, the Harbinger
+Nahiri, the Unforgiving
+Naiad of Hidden Coves
+Najal, the Storm Runner
+Najeela, the Blade-Blossom
+Nakaya Shade
+Naktamun
+Nalathni Dragon
+Nalfeshnee
+Nalia de'Arnise
+Nameless Conqueror
+Nameless Inversion
+Nameless One
+Nanogene Conversion
+Nantuko Blightcutter
+Nantuko Calmer
+Nantuko Disciple
+Nantuko Elder
+Nantuko Husk
+Nantuko Monastery
+Nantuko Shade
+Nantuko Shaman
+Nantuko Shrine
+Nantuko Slicer
+Nantuko Tracer
+Nantuko Vigilante
+Naomi, Pillar of Order
+Narci, Fable Singer
+Narcolepsy
+Narcomoeba
+Nardole, Resourceful Cyborg
+Narfi, Betrayer King
+Narnam Cobra
+Narnam Renegade
+Narrow Escape
+Narset, Enlightened Exile
+Narset, Enlightened Master
+Narset of the Ancient Way
+Narset, Parter of Veils
+Narset's Reversal
+Narset Transcendent
+Narstad Scrapper
+Naru Meha, Master Wizard
+Narwhal
+Nascent Metamorph
+Nashi, Illusion Gadgeteer
+Nashi, Moon Sage's Scion
+Nashi, Moon's Legacy
+Nassari, Dean of Expression
+Nasty End
+Nath of the Gilt-Leaf
+Nath's Buffoon
+Nath's Elite
+Natural Balance
+Natural Connection
+Natural Emergence
+Natural End
+Naturalize
+Natural Obsolescence
+Natural Order
+Natural Reclamation
+Natural Selection
+Natural Spring
+Natural State
+Natural Unity
+Nature Demands an Offering
+Nature's Blessing
+Nature's Chant
+Nature's Claim
+Nature's Cloak
+Nature's Embrace
+Nature Shields Its Own
+Nature's Kiss
+Nature's Lore
+Nature's Panoply
+Nature's Resurgence
+Nature's Revolt
+Nature's Ruin
+Nature's Spiral
+Nature's Way
+Nature's Will
+Nature's Wrath
+Nausea
+Nautiloid Ship
+Navigation Orb
+Navigator's Compass
+Navigator's Ruin
+Nav Squad Commandos
+Naya
+Naya Battlemage
+Naya Charm
+Naya Hushblade
+Naya Panorama
+Naya Sojourners
+Naya Soulbeast
+Nazahn, Revered Bladesmith
+Nazgûl
+Nazgûl Battle-Mace
+Nearby Planet
+Near-Death Experience
+Nearheath Chaplain
+Nearheath Pilgrim
+Nearheath Stalker
+Nebelgast Beguiler
+Nebelgast Herald
+Nebelgast Intruder
+Neck Breaker
+Neck Snap
+Necra Disciple
+Necra Sanctuary
+Necratog
+Necravolver
+Necrite
+Necrobite
+Necroblossom Snarl
+Necroduality
+Necrogen Censer
+Necrogen Communion
+Necrogenesis
+Necrogen Mists
+Necrogen Rotpriest
+Necrogen Scudder
+Necrogen Spellbomb
+Necrogoyf
+Necrologia
+Necromancer's Assistant
+Necromancer's Covenant
+Necromancer's Familiar
+Necromancer's Magemark
+Necromancy
+Necromantic Selection
+Necromantic Summons
+Necromantic Thirst
+Necromaster Dragon
+Necromentia
+Necron Deathmark
+Necron Monolith
+Necron Overlord
+Necropanther
+Necropede
+Necroplasm
+Necropolis
+Necropolis Fiend
+Necropolis of Azar
+Necropolis Regent
+Necropotence
+Necropouncer
+Necrosavant
+Necroskitter
+Necrosquito
+Necrosynthesis
+Necrotic Fumes
+Necrotic Hex
+Necrotic Ooze
+Necrotic Plague
+Necrotic Sliver
+Necrotic Wound
+Nectar Faerie
+Needlebite Trap
+Needlebug
+Needle Drop
+Needlepeak Spider
+Needleshot Gourna
+Needle Specter
+Needle Spires
+Needle Storm
+Needlethorn Drake
+Needletooth Raptor
+Needleverge Pathway
+Neera, Wild Mage
+Nefarious Imp
+Nefarox, Overlord of Grixis
+Nefashu
+Nef-Crop Entangler
+Negan, the Cold-Blooded
+Negate
+Neglected Heirloom
+Neheb, Dreadhorde Champion
+Neheb, the Eternal
+Neheb, the Worthy
+Neighborhood Guardian
+Neko-Te
+Nekrataal
+Nekrataal Avatar
+Nekusar, the Mindrazer
+Nelly Borca, Impulsive Accuser
+Nema Siltlurker
+Nemata, Primeval Warden
+Nemesis Mask
+Nemesis of Mortals
+Nemesis of Reason
+Nemesis Phoenix
+Nemesis Trap
+Neoform
+Neonate's Rush
+Nephalia
+Nephalia Academy
+Nephalia Drownyard
+Nephalia Moondrakes
+Nephalia Seakite
+Nephalia Smuggler
+Nerd Rage
+Nervous Gardener
+Nessian Asp
+Nessian Boar
+Nessian Courser
+Nessian Demolok
+Nessian Game Warden
+Nessian Hornbeetle
+Nessian Wanderer
+Nessian Wilds Ravager
+Nested Ghoul
+Nested Shambler
+Nesting Dovehawk
+Nesting Dragon
+Nesting Wurm
+Nest Invader
+Nest of Scarabs
+Nest Robber
+Netcaster Spider
+Netherborn Phalanx
+Netherese Puzzle-Ward
+Nether Horror
+Nether Shadow
+Nether Spirit
+Nether Traitor
+Nether Void
+Nethroi, Apex of Death
+Netter en-Dal
+Nettlecyst
+Nettle Drone
+Nettle Guard
+Nettle Sentinel
+Nettle Swine
+Nettletooth Djinn
+Nettlevine Blight
+Nettling Curse
+Nettling Host
+Nettling Nuisance
+Network Disruptor
+Network Terminal
+Neurok Commando
+Neurok Familiar
+Neurok Hoversail
+Neurok Invisimancer
+Neurok Prodigy
+Neurok Spy
+Neurok Stealthsuit
+Neurok Transmuter
+Neutralize
+Neutralize the Guards
+Neutralizing Blast
+Neva, Stalked by Nightmares
+Never
+Never Happened
+Nevermaker
+Nevermore
+Neverwinter Dryad
+Neverwinter Hydra
+Nevinyrral's Disk
+Nevinyrral, Urborg Tyrant
+New Argive
+New Benalia
+New Blood
+New Horizons
+New New York
+New Perspectives
+New Prahv Guildmage
+Nexos
+Next of Kin
+Nexus of Becoming
+Nexus of Fate
+Nexus Wardens
+Neyali, Suns' Vanguard
+Neyam Shai Murad
+Neyith of the Dire Hunt
+Nezahal, Primal Tide
+Nezumi Bladeblesser
+Nezumi Bone-Reader
+Nezumi Cutthroat
+Nezumi Freewheeler
+Nezumi Graverobber
+Nezumi Informant
+Nezumi Linkbreaker
+Nezumi Prowler
+Nezumi Road Captain
+Nezumi Ronin
+Nezumi Shadow-Watcher
+Nezumi Shortfang
+Niall Silvain
+Niambi, Beloved Protector
+Niambi, Esteemed Speaker
+Niambi, Faithful Healer
+Niblis of Dusk
+Niblis of Frost
+Niblis of the Mist
+Niblis of the Urn
+Nicanzil, Current Conductor
+Nick Valentine, Private Eye
+Nicol Bolas
+Nicol Bolas, Dragon-God
+Nicol Bolas, God-Pharaoh
+Nicol Bolas, Planeswalker
+Nicol Bolas, the Arisen
+Nicol Bolas, the Deceiver
+Nicol Bolas, the Ravager
+Night
+Night Clubber
+Nightclub Bouncer
+Nightcreep
+Nightdrinker Moroii
+Nighteyes the Desecrator
+Nightfall Predator
+Nightfire Giant
+Nightguard Patrol
+Nighthawk Scavenger
+Nighthaze
+Nighthowler
+Night Incarnate
+Nightkin Ambusher
+Nightmare
+Nightmare Incursion
+Nightmare Lash
+Nightmare Shepherd
+Nightmare's Thirst
+Nightmare Void
+Nightmarish End
+Night Market Aeronaut
+Night Market Guard
+Night Market Lookout
+Night of Souls' Betrayal
+Night of the Sweets' Revenge
+Nightpack Ambusher
+Night Revelers
+Nightscape Battlemage
+Nightscape Familiar
+Nightscape Master
+Night Scythe
+Nightshade Dryad
+Nightshade Harvester
+Nightshade Peddler
+Nightshade Schemers
+Nightshade Stinger
+Nightsky Mimic
+Nightsnare
+Nightsoil Kami
+Nightsquad Commando
+Nightstalker Engine
+Night's Whisper
+Night Terrors
+Nightveil Predator
+Nightveil Specter
+Nightveil Sprite
+Nightwhorl Hermit
+Nightwind Glider
+Nightwing Shade
+Nihilith
+Nihiloor
+Nihil Spellbomb
+Nikara, Lair Scavenger
+Nikko-Onna
+Niko Aris
+Niko Defies Destiny
+Nikya of the Old Ways
+Nils, Discipline Enforcer
+Nim Abomination
+Nimana Sell-Sword
+Nimana Skitter-Sneak
+Nimana Skydancer
+Nimble Birdsticker
+Nimble-Blade Khenra
+Nimble Brigand
+Nimbleclaw Adept
+Nimble Hobbit
+Nimble Innovator
+Nimble Larcenist
+Nimble Mongoose
+Nimble Obstructionist
+Nimble Pilferer
+Nimble Trapfinder
+Nimblewright Schematic
+Nimbus Champion
+Nimbus Maze
+Nimbus Naiad
+Nimbus of the Isles
+Nimbus Swimmer
+Nimbus Wings
+Nim Deathmantle
+Nim Devourer
+Nim Grotesque
+Nim Lasher
+Nimraiser Paladin
+Nimrodel Watcher
+Nim Shrieker
+Nine-Fingers Keene
+Nine Lives
+Nine-Lives Familiar
+Nine-Ringed Bo
+Nine-Tail White Fox
+Ninja of the Deep Hours
+Ninja of the New Moon
+Ninja's Kunai
+Ninth Bridge Patrol
+Nin, the Pain Artist
+Nip Gwyllion
+Nira, Hellkite Duelist
+Nirkana Assassin
+Nirkana Cutthroat
+Nirkana Revenant
+Nishoba Brawler
+Nissa, Ascended Animist
+Nissa, Genesis Mage
+Nissa, Nature's Artisan
+Nissa of Shadowed Boughs
+Nissa, Resurgent Animist
+Nissa Revane
+Nissa, Sage Animist
+Nissa's Chosen
+Nissa's Defeat
+Nissa's Encouragement
+Nissa's Expedition
+Nissa's Pilgrimage
+Nissa's Renewal
+Nissa's Revelation
+Nissa, Steward of Elements
+Nissa's Triumph
+Nissa's Zendikon
+Nissa, Vastwood Seer
+Nissa, Vital Force
+Nissa, Voice of Zendikar
+Nissa, Who Shakes the World
+Nissa, Worldwaker
+Nivix Barrier
+Nivix Cyclops
+Nivix Guildmage
+Niv-Mizzet, Dracogenius
+Niv-Mizzet, Guildpact
+Niv-Mizzet, Parun
+Niv-Mizzet Reborn
+Niv-Mizzet, Supreme
+Niv-Mizzet, the Firemind
+Nix
+Nobilis of War
+Noble Banneret
+Noble Benefactor
+Noble Elephant
+Noble Heritage
+Noble Hierarch
+Noble Panther
+Noble Purpose
+Noble Quarry
+Noble's Purse
+Noble Stand
+Noble Steeds
+Noble Templar
+Noble Vestige
+Nocturnal Feeder
+Nocturnal Hunger
+Nocturnal Raid
+No-Dachi
+No Escape
+Noetic Scales
+Noggin Whack
+Noggle Bandit
+Noggle Bridgebreaker
+Noggle Hedge-Mage
+Noggle Ransacker
+Nogi, Draco-Zealot
+Noise Marine
+Nomad Decoy
+Nomad Mythmaker
+Nomad Outpost
+Nomads' Assembly
+No Mercy
+No More
+No More Lies
+Non-Human Cannonball
+No One Left Behind
+No One Will Hear Your Cries
+Noose Constrictor
+Noosegraf Mob
+No Quarter
+No Rest for the Wicked
+Norika Yamazaki, the Poet
+Norin the Wary
+Norn's Annex
+Norn's Choirmaster
+Norn's Decree
+Norn's Disassembly
+Norn's Dominion
+Norn's Fetchling
+Norn's Inquisitor
+Norn's Seedcore
+Norn's Wellspring
+Northern Paladin
+North Pole Research Base
+Norwood Archers
+Norwood Priestess
+Norwood Ranger
+Norwood Riders
+Norwood Warrior
+Nosy Goblin
+Not Dead After All
+Not Forgotten
+Nothic
+Nothing Can Stop Me Now
+Notion Rain
+Notion Thief
+Not of This World
+Not on My Watch
+Notorious Assassin
+Notorious Throng
+Nourish
+Novablast Wurm
+Nova Chaser
+Nova Cleric
+Novellamental
+Novice Dissector
+Novice Inspector
+Novice Knight
+Novice Occultist
+Novijen, Heart of Progress
+Novijen Sages
+No Way Out
+Now for Wrath, Now for Ruin!
+No Witnesses
+Noxious Assault
+Noxious Bayou
+Noxious Dragon
+Noxious Field
+Noxious Gearhulk
+Noxious Ghoul
+Noxious Grasp
+Noxious Groodion
+Noxious Hatchling
+Noxious Revival
+Noxious Toad
+Noyan Dar, Roil Shaper
+Nucklavee
+Nuclear Fallout
+Nuisance Engine
+Nuka-Cola Vending Machine
+Nuka-Nuke Launcher
+Null Brooch
+Null Caller
+Null Chamber
+Null Champion
+Nulldrifter
+Null Elemental Blast
+Nullhide Ferox
+Nullify
+Nullpriest of Oblivion
+Null Profusion
+Null Rod
+Nulltread Gargantuan
+Numai Outcast
+Numa, Joraga Chieftain
+Numbing Dose
+Numbing Jellyfish
+Numot, the Devastator
+Nurgle's Conscription
+Nurgle's Rot
+Nurturer Initiate
+Nurturing Bristleback
+Nurturing Peatland
+Nurturing Pixie
+Nurturing Presence
+Nut Collector
+Nykthos Paragon
+Nykthos, Shrine to Nyx
+Nylea, God of the Hunt
+Nylea, Keen-Eyed
+Nylea's Colossus
+Nylea's Disciple
+Nylea's Emissary
+Nylea's Forerunner
+Nylea's Huntmaster
+Nylea's Intervention
+Nylea's Presence
+Nymris, Oona's Trickster
+Nyssa of Traken
+Nyx
+Nyxathid
+Nyxbloom Ancient
+Nyxborn Behemoth
+Nyxborn Brute
+Nyxborn Colossus
+Nyxborn Courser
+Nyxborn Eidolon
+Nyxborn Hydra
+Nyxborn Marauder
+Nyxborn Rollicker
+Nyxborn Seaguard
+Nyxborn Shieldmate
+Nyxborn Triton
+Nyxborn Unicorn
+Nyxborn Wolf
+Nyx-Fleece Ram
+Nyx Herald
+Nyx Infusion
+Nyx Lotus
+Oaken Boon
+Oaken Brawler
+Oakenform
+Oaken Siren
+Oakgnarl Warrior
+Oakhame Adversary
+Oakhame Ranger
+Oakheart Dryads
+Oakhollow Village
+Oakshade Stalker
+Oak Street Innkeeper
+Oashra Cultivator
+Oasis
+Oasis Gardener
+Oasis Ritualist
+Oathkeeper, Takeno's Daisho
+Oath of Ajani
+Oath of Chandra
+Oath of Druids
+Oath of Eorl
+Oath of Ghouls
+Oath of Gideon
+Oath of Jace
+Oath of Kaya
+Oath of Lieges
+Oath of Liliana
+Oath of Mages
+Oath of Nissa
+Oath of Teferi
+Oath of the Ancient Wood
+Oath of the Grey Host
+Oathsworn Giant
+Oathsworn Knight
+Oathsworn Vampire
+Obeka, Splitter of Seconds
+Obelisk of Alara
+Obelisk of Bant
+Obelisk of Esper
+Obelisk of Grixis
+Obelisk of Jund
+Obelisk of Naya
+Obelisk of Undoing
+Obelisk of Urd
+Obelisk Spider
+Oblation
+Obliterate
+Obliterating Bolt
+Oblivion
+Oblivion Ring
+Oblivion's Hunger
+Oblivion Sower
+Oblivion Strike
+Ob Nixilis, Captive Kingpin
+Ob Nixilis Reignited
+Ob Nixilis's Cruelty
+Ob Nixilis, the Adversary
+Ob Nixilis, the Fallen
+Ob Nixilis, the Hate-Twisted
+Ob Nixilis, Unshackled
+Oboro, Palace in the Clouds
+Obosh, the Preypiercer
+Obscura Ascendancy
+Obscura Charm
+Obscura Confluence
+Obscura Initiate
+Obscura Interceptor
+Obscura Polymorphist
+Obscura Storefront
+Obscuring Haze
+Observant Alseid
+Obsessive Astronomer
+Obsessive Collector
+Obsessive Search
+Obsessive Skinner
+Obsessive Stitcher
+Obsianus Golem
+Obsidian Acolyte
+Obsidian Battle-Axe
+Obsidian Charmaw
+Obsidian Fireheart
+Obsidian Giant
+Obsidian Obelisk
+Obstinate Baloth
+Obstinate Familiar
+Obstinate Gargoyle
+Obuun, Mul Daya Ancestor
+Obyra, Dreaming Duelist
+Obyra's Attendants
+Obzedat, Ghost Council
+Obzedat's Aid
+Occult Epiphany
+Oceanus Dragon
+Ocelot Pride
+Ochran Assassin
+Ochre Jelly
+Octavia, Living Thesis
+Octomancer
+Octoprophet
+Octopus Umbra
+Ocular Halo
+Oculus
+Oculus Whelp
+Odds
+Odious Trow
+Odious Witch
+Odric, Blood-Cursed
+Odric, Lunarch Marshal
+Odric's Outrider
+Odylic Wraith
+Off Balance
+Offender at Large
+Offer Immortality
+Offering to Asha
+Officious Interrogation
+Offspring's Revenge
+Of Herbs and Stewed Rabbit
+Of One Mind
+Oggyar Battle-Seer
+Oglor, Devoted Assistant
+Ognis, the Dragon's Lash
+Ogre Arsonist
+Ogre Battledriver
+Ogre Berserker
+Ogre Chitterlord
+Ogre Enforcer
+Ogre Errant
+Ogre Gatecrasher
+Ogre Geargrabber
+Ogre-Head Helm
+Ogre Jailbreaker
+Ogre Leadfoot
+Ogre Marauder
+Ogre Menial
+Ogre Painbringer
+Ogre Resister
+Ogre Savant
+Ogre's Cleaver
+Ogre Sentry
+Ogre Shaman
+Ogre Siegebreaker
+Ogre Slumlord
+Ogre Taskmaster
+Ogre Warrior
+Ohabi Caleria
+Ohran Frostfang
+Ohran Viper
+Ohran Yeti
+Oil-Gorger Troll
+Ojer Axonil, Deepest Might
+Ojer Kaslem, Deepest Growth
+Ojer Pakpatiq, Deepest Epoch
+Ojer Taq, Deepest Foundation
+Oji, the Exquisite Blade
+Ojutai Exemplars
+Ojutai Interceptor
+Ojutai Monument
+Ojutai's Breath
+Ojutai's Command
+Ojutai, Soul of Winter
+Ojutai's Summons
+O-Kagachi Made Manifest
+O-Kagachi, Vengeful Kami
+Okaun, Eye of Chaos
+Oketra's Attendant
+Oketra's Avenger
+Oketra's Last Mercy
+Oketra's Monument
+Oketra the True
+Okiba-Gang Shinobi
+Okiba Reckoner Raid
+Okiba Salvage
+Okina Nightwatch
+Okina, Temple to the Grandfathers
+Okk
+Oko's Accomplices
+Oko's Hospitality
+Oko, the Ringleader
+Oko, the Trickster
+Oko, Thief of Crowns
+Olag, Ludevic's Hubris
+Old Flitterfang
+Old Fogey
+Old Ghastbark
+Old Gnawbone
+Old-Growth Dryads
+Old-Growth Grove
+Old-Growth Troll
+Old Man of the Sea
+Old Man Willow
+Old One Eye
+Old Rutstein
+Old Stickfingers
+Oliphaunt
+Olivia, Crimson Bride
+Olivia, Mobilized for War
+Olivia, Opulent Outlaw
+Olivia's Attendants
+Olivia's Bloodsworn
+Olivia's Dragoon
+Olivia's Midnight Ambush
+Olivia's Wrath
+Olivia Voldaren
+Ollenbock Escort
+Olog-hai Crusher
+Olórin's Searing Light
+Oloro, Ageless Ascetic
+Oltec Archaeologists
+Oltec Cloud Guard
+Oltec Matterweaver
+Omarthis, Ghostfire Initiate
+Omega Myr
+Omen
+Omen Hawker
+Omen Machine
+Omen of Fire
+Omen of the Dead
+Omen of the Forge
+Omen of the Hunt
+Omen of the Sea
+Omen of the Sun
+Omenpath Journey
+Omenport Vigilante
+Omenspeaker
+Ominous Cemetery
+Ominous Lockbox
+Ominous Parcel
+Ominous Roost
+Ominous Seas
+Ominous Sphinx
+Ominous Traveler
+Omnath, Locus of All
+Omnath, Locus of Creation
+Omnath, Locus of Rage
+Omnath, Locus of the Roil
+Omniscience
+Omnispell Adept
+Omo, Queen of Vesuva
+O-Naginata
+Onakke Catacomb
+Onakke Javelineer
+Onakke Oathkeeper
+Onakke Ogre
+On Alert
+Once and Future
+Once More with Feeling
+Once Upon a Time
+Ondu Champion
+Ondu Cleric
+Ondu Giant
+Ondu Greathorn
+Ondu Inversion
+Ondu Knotmaster
+Ondu Rising
+Ondu Skyruins
+Ondu Spiritdancer
+Ondu War Cleric
+One-Clown Band
+One Dozen Eyes
+One-Eyed Scarecrow
+Oneirophage
+One Last Job
+One of the Pack
+One Ring to Rule Them All
+One Thousand Lashes
+One with Nature
+One with Nothing
+One with the Kami
+One with the Machine
+One with the Multiverse
+One with the Stars
+One With the Wind
+Ongoing Investigation
+Oni-Cult Anvil
+Oni of Wild Places
+Oni of Wild Places Avatar
+Oni Possession
+Only Blood Ends Your Nightmares
+On Serra's Wings
+Onslaught
+On the Job
+On the Trail
+On Thin Ice
+Onulet
+Onward
+Onyx Goblet
+Onyx Mage
+Onyx Talisman
+Ood Sphere
+Oona, Queen of the Fae
+Oona's Blackguard
+Oona's Gatewarden
+Oona's Grace
+Oona's Prowler
+Ooze Garden
+Opal Archangel
+Opal Avenger
+Opal Caryatid
+Opal Champion
+Opalescence
+Opal Gargoyle
+Opal Guardian
+Opaline Bracers
+Opaline Sliver
+Opaline Unicorn
+Opal Lake Gatekeepers
+Opal Palace
+Opal Titan
+Open Fire
+Open into Wonder
+Open the Armory
+Open the Gates
+Open the Graves
+Open the Omenpaths
+Open the Vaults
+Open the Way
+Ophidian Eye
+Ophiomancer
+Opportunist
+Opportunistic Dragon
+Opportunity
+Opposition Agent
+Oppression
+Oppressive Rays
+Opt
+Optimus Prime, Autobot Leader
+Optimus Prime, Hero
+Opulent Palace
+Oracle en-Vec
+Oracle of Bones
+Oracle of Dust
+Oracle of Mul Daya
+Oracle of Nectars
+Oracle of the Alpha
+Oracle of Tragedy
+Oracle's Insight
+Oracle's Vault
+Orah, Skyclave Hierophant
+Oran-Rief Hydra
+Oran-Rief Invoker
+Oran-Rief Ooze
+Oran-Rief Recluse
+Oran-Rief Survivalist
+Oran-Rief, the Vastwood
+Orator of Ojutai
+Oraxid
+Orazca Frillback
+Orazca Puzzle-Door
+Orazca Raptor
+Orazca Relic
+Orb of Dragonkind
+Orb of Dreams
+Orbs of Warding
+Orbweaver Kumo
+Orca, Siege Demon
+Orc General
+Orchard Elemental
+Orchard Spirit
+Orchard Strider
+Orchard Warden
+Orcish Artillery
+Orcish Bowmasters
+Orcish Cannonade
+Orcish Cannoneers
+Orcish Captain
+Orcish Catapult
+Orcish Conscripts
+Orcish Healer
+Orcish Hellraiser
+Orcish Medicine
+Orcish Mine
+Orcish Oriflamme
+Orcish Siegemaster
+Orcish Spy
+Orcish Squatters
+Orcish Squatters Avatar
+Orcish Vandal
+Orcish Veteran
+Orc Sureshot
+Orcus, Prince of Undeath
+Ordeal of Erebos
+Ordeal of Heliod
+Ordeal of Nylea
+Ordeal of Purphoros
+Ordeal of Thassa
+Order
+Ordered Migration
+Orderly Plaza
+Order of Leitbur
+Order of Midnight
+Order of Sacred Dusk
+Order of the Alabaster Host
+Order of the Ebon Hand
+Order of the Golden Cricket
+Order of the Mirror
+Order of the Sacred Bell
+Order of the Sacred Torch
+Order of the Stars
+Order of the White Shield
+Order of Whiteclay
+Order of Yawgmoth
+Ordruun Commando
+Ordruun Mentor
+Ordruun Veteran
+Ore Gorger
+Ore-Scale Guardian
+Oreskos Sun Guide
+Oreskos Swiftclaw
+Organ Grinder
+Organ Harvest
+Organ Hoarder
+Organic Extinction
+Orgg
+Origin of the Hidden Ones
+Origin Spellbomb
+Orim
+Orim, Samite Healer
+Orim's Chant
+Orim's Cure
+Orim's Prayer
+Orim's Thunder
+Orim's Touch
+Oriq Loremage
+Ormendahl, Profane Prince
+Ormendahl, the Corrupter
+Ornamental Courage
+Ornery Dilophosaur
+Ornery Goblin
+Ornery Kudu
+Ornery Tumblewagg
+Ornitharch
+Ornithopter
+Ornithopter of Paradise
+Orochi Colony
+Orochi Eggwatcher
+Orochi Hatchery
+Orochi Merge-Keeper
+Orochi Ranger
+Orochi Soul-Reaver
+Orochi Sustainer
+Oros, the Avenger
+Orthion, Hero of Lavabrink
+Orthodoxy Enforcer
+Orvar, the All-Form
+Orzhova
+Orzhov Advokist
+Orzhova, the Church of Deals
+Orzhov Basilica
+Orzhov Cluestone
+Orzhov Enforcer
+Orzhov Euthanist
+Orzhov Guildgate
+Orzhov Guildmage
+Orzhov Keyrune
+Orzhov Locket
+Orzhov Racketeers
+Osai Vultures
+Osgir, the Reconstructor
+Osgood, Operation Double
+Oskar, Rubbish Reclaimer
+Ossification
+Ossuary Rats
+Osteomancer Adept
+Ostiary Thrull
+Ostracize
+Oswald Fiddlebender
+Otaria
+Otarian Juggernaut
+Otawara, Soaring City
+Oteclan Landmark
+Oteclan Levitator
+Otepec Huntmaster
+Otharri, Suns' Glory
+Otherworldly Escort
+Otherworldly Gaze
+Otherworldly Journey
+Otherworldly Outburst
+Otrimi, the Ever-Playful
+Otterball Antics
+Ouphe Vandals
+Oust
+Outcaster Greenblade
+Outcaster Trailblazer
+Out Cold
+Outfitted Jouster
+Outflank
+Outland Boar
+Outland Colossus
+Outland Liberator
+Outlaw Medic
+Outlaws' Fury
+Outlaws' Merriment
+Outlaw Stitcher
+Outmuscle
+Outnumber
+Out of Air
+Out of Bounds
+Out of the Tombs
+Out of the Way
+Out of Time
+Outpost Siege
+Outrageous Robbery
+Outrage Shaman
+Outrider of Jhess
+Outwit
+Ovalchase Daredevil
+Ovalchase Dragster
+Overabundance
+Overbeing of Myth
+Overburden
+Overclocked Electromancer
+Overcome
+Overcooked
+Overencumbered
+Overflowing Insight
+Overgrown Arch
+Overgrown Armasaur
+Overgrown Battlement
+Overgrown Farmland
+Overgrown Pest
+Overgrown Tomb
+Overgrowth
+Overgrowth Elemental
+Overload
+Overloaded Mage-Ring
+Overlord of the Hauntwoods
+Overpowering Attack
+Overprotect
+Override
+Overrule
+Overrun
+Overseer of the Damned
+Overseer of Vault 76
+Oversimplify
+Oversold Cemetery
+Oversoul of Dusk
+Over the Edge
+Over the Top
+Overwhelmed Apprentice
+Overwhelmed Archivist
+Overwhelming Denial
+Overwhelming Encounter
+Overwhelming Forces
+Overwhelming Instinct
+Overwhelming Intellect
+Overwhelming Remorse
+Overwhelming Splendor
+Overwhelming Stampede
+Overzealous Muscle
+Ovika, Enigma Goliath
+Ovinize
+Oviya Pashiri, Sage Lifecrafter
+Owen Grady, Raptor Trainer
+Owlbear
+Owlbear Cub
+Owlbear Shepherd
+Owl Familiar
+Owlin Shieldmage
+Ox Drover
+Oxidda Finisher
+Oxidda Golem
+Oxidda Scrapmelter
+Oxidize
+Ox of Agonas
+Oyaminartok, Polar Werebear
+Oyobi, Who Split the Heavens
+Ozolith, the Shattered Spire
+Pacification Array
+Pacifism
+Pack Attack
+Pack Guardian
+Pack Leader
+Pack Mastiff
+Pack Rat
+Pack's Betrayal
+Pack's Favor
+Packsong Pup
+Pact Weapon
+Padeem, Consul of Innovation
+Pain
+Pain Distributor
+Painful Bond
+Painful Lesson
+Painful Memories
+Painful Quandary
+Painful Truths
+Painiac
+Pain Kami
+Pain Magnification
+Pain Seer
+Painsmith
+Pain's Reward
+Painter's Servant
+Painwracker Oni
+Paired Tactician
+Pair o' Dice Lost
+Pako, Arcane Retriever
+Palace Familiar
+Palace Guard
+Palace Jailer
+Palace Sentinels
+Palace Siege
+Paladin Class
+Paladin Danse, Steel Maverick
+Paladin Elizabeth Taggerdy
+Paladin en-Vec
+Paladin of Atonement
+Paladin of Prahv
+Paladin of Predation
+Paladin of the Bloodstained
+Paladin's Shield
+Palani's Hatcher
+Palantír of Orthanc
+Palazzo Archers
+Pale Bears
+Paleoloth
+Pale Recluse
+Pale Rider of Trostad
+Paliano
+Paliano, the High City
+Paliano Vanguard
+Palinchron
+Palisade Giant
+Palladia-Mors
+Palladia-Mors, the Ruiner
+Palladium Myr
+Palliation Accord
+Pallid Mycoderm
+Pallimud
+Pandemonium
+Pandora's Box
+Panglacial Wurm
+Pang Tong, "Young Phoenix"
+Panharmonicon
+Panic
+Panic Attack
+Panicked Altisaur
+Panicked Bystander
+Panic Spellbomb
+Panopticon
+Panoptic Projektor
+Panther Warriors
+Pantlaza, Sun-Favored
+Papercraft Decoy
+Paperfin Rascal
+Paper Tiger
+Paradise Druid
+Paradise Mantle
+Paradise Plume
+Paradox Engine
+Paradox Haze
+Paradoxical Outcome
+Paradox Zone
+Paragon of Eternal Wilds
+Paragon of Fierce Defiance
+Paragon of Gathering Mists
+Paragon of Modernity
+Paragon of New Dawns
+Paragon of Open Graves
+Paragon of the Amesha
+Parallax Inhibitor
+Parallax Nexus
+Parallel Evolution
+Parallel Lives
+Paralyze
+Paralyzing Grasp
+Paranoid Delusions
+Paranoid Parish-Blade
+Parapet
+Parapet Watchers
+Paraselene
+Parasitic Bond
+Parasitic Grasp
+Parasitic Impetus
+Parasitic Implant
+Parasitic Strix
+Parcelbeast
+Parcel Myr
+Parch
+Pardic Arsonist
+Pardic Collaborator
+Pardic Dragon
+Pardic Firecat
+Pardic Wanderer
+Parhelion II
+Parhelion Patrol
+Pariah
+Pariah's Shield
+Parish-Blade Trainee
+Park Heights Maverick
+Park Heights Pegasus
+Parnesse, the Subtle Brush
+Parting Gust
+Parting Thoughts
+Part the Veil
+Part the Waterveil
+Part Water
+Party Thrasher
+Pashalik Mons
+Passageway Seer
+Passionate Archaeologist
+Pass the Torch
+Passwall Adept
+Patagia Golem
+Patagia Tiger
+Patagia Viper
+Patchplate Resolute
+Patch Up
+Patchwork Automaton
+Patchwork Banner
+Patchwork Crawler
+Patchwork Gnomes
+Pathbreaker Ibex
+Pathbreaker Wurm
+Pathfinding Axejaw
+Pathmaker Initiate
+Path of Ancestry
+Path of Anger's Flame
+Path of Annihilation
+Path of Bravery
+Path of Discovery
+Path of Mettle
+Path of Peace
+Path of Peril
+Path of the Animist
+Path of the Enigma
+Path of the Ghosthunter
+Path of the Pyromancer
+Path of the Schemer
+Pathrazer of Ulamog
+Paths of Tuinvale
+Path to Exile
+Path to the Festival
+Path to the World Tree
+Pathway Arrows
+Patient Naturalist
+Patient Rebuilding
+Patient Zero
+Patriar's Humiliation
+Patriar's Seal
+Patrician Geist
+Patrician's Scorn
+Patrol Hound
+Patrol Signaler
+Patron of the Arts
+Patron of the Valiant
+Patron of the Vein
+Patron of the Wild
+Patron Wizard
+Pattern Matcher
+Pattern of Rebirth
+Paupers' Cage
+Pause for Reflection
+Pavel Maliki
+Pawn of Ulamog
+Pawpatch Formation
+Pawpatch Recruit
+Pay No Heed
+Pay Tribute to Me
+Peace and Quiet
+Peacekeeper Avatar
+Peace of Mind
+Peace Strider
+Peace Talks
+Peacewalker Colossus
+Peach Garden Oath
+Peak Eruption
+Pearl Collector
+Pearl Dragon
+Pearl-Ear, Imperial Advisor
+Pearled Unicorn
+Pearl Lake Ancient
+Pearl Medallion
+Pearl of Wisdom
+Pearl Shard
+Pearlspear Courier
+Pedantic Learning
+Peema Aether-Seer
+Peema Outrider
+Peer into the Abyss
+Peerless Recycling
+Peerless Ropemaster
+Peerless Samurai
+Peer Through Depths
+Pegasus Charger
+Pegasus Courser
+Pegasus Guardian
+Pegasus Refuge
+Pegasus Stampede
+Pelakka Caverns
+Pelakka Predation
+Pelakka Wurm
+Pelargir Survivor
+Pelt Collector
+Pemmin's Aura
+Penance
+Pendant of Prosperity
+Pendelhaven
+Pendelhaven Elder
+Pendrell Drake
+Pendrell Flux
+Pendrell Mists
+Pendulum of Patterns
+Pennon Blade
+Penregon Besieged
+Penregon Strongbull
+Pensive Minotaur
+Pentad Prism
+Pentagram of the Ages
+Pentarch Paladin
+Pentarch Ward
+Pentavus
+Penumbra Bobcat
+Penumbra Kavu
+Penumbra Spider
+Penumbra Wurm
+People of the Woods
+Peppersmoke
+Perception Bobblehead
+Perch Protection
+Peregrination
+Peregrine Drake
+Peregrine Griffin
+Peregrin Took
+Perennial Behemoth
+Perfected Form
+Perforator Crocodile
+Perhaps You've Met My Cohort
+Peri Brown
+Perilous Forays
+Perilous Iteration
+Perilous Landscape
+Perilous Myr
+Perilous Predicament
+Perilous Research
+Perilous Shadow
+Perilous Vault
+Perilous Voyage
+Perimeter Captain
+Perimeter Enforcer
+Perimeter Patrol
+Perimeter Sergeant
+Perish
+Perish the Thought
+Permafrost Trap
+Permeating Mass
+Permission Denied
+Pernicious Deed
+Perplex
+Perplexing Test
+Perrie, the Pulverizer
+Persecute
+Persist
+Persistent Marshstalker
+Persistent Nightmare
+Persistent Petitioners
+Persistent Specimen
+Personal Decoy
+Personal Sanctuary
+Personal Tutor
+Person of Interest
+Persuasion
+Persuasive Interrogators
+Pest Control
+Pestermite
+Pestilence
+Pestilence Demon
+Pestilence Rats
+Pestilent Cauldron
+Pestilent Haze
+Pestilent Kathari
+Pestilent Souleater
+Pestilent Spirit
+Pestilent Syphoner
+Pestilent Wolf
+Pest Infestation
+Pest Problem
+Pests of Honor
+Pest Summoning
+Petalmane Baku
+Petradon
+Petra Sphinx
+Petravark
+Petrified Field
+Petrified Plating
+Petrified Wood-Kin
+Petrify
+Petrifying Meddler
+Petting Zookeeper
+Petty Larceny
+Petty Theft
+Pewter Golem
+Phabine, Boss's Confidant
+Phage the Untouchable
+Phage the Untouchable Avatar
+Phalanx Formation
+Phalanx Leader
+Phalanx Tactics
+Phalanx Vanguard
+Phantasmagorian
+Phantasmal Abomination
+Phantasmal Bear
+Phantasmal Dragon
+Phantasmal Dreadmaw
+Phantasmal Extraction
+Phantasmal Fiend
+Phantasmal Forces
+Phantasmal Image
+Phantom Beast
+Phantom Blade
+Phantom Carriage
+Phantom Centaur
+Phantom Flock
+Phantom General
+Phantom Interference
+Phantom Monster
+Phantom Nantuko
+Phantom Ninja
+Phantom Nishoba
+Phantom Nomad
+Phantom Steed
+Phantom Tiger
+Phantom Warrior
+Phantom Whelp
+Phantom Wings
+Phantom Wurm
+Pharagax Giant
+Pharika, God of Affliction
+Pharika's Chosen
+Pharika's Cure
+Pharika's Disciple
+Pharika's Libation
+Pharika's Mender
+Pharika's Spawn
+Phase Dolphin
+Phelia, Exuberant Shepherd
+Phenax, God of Deception
+Pheres-Band Brawler
+Pheres-Band Centaurs
+Pheres-Band Raiders
+Pheres-Band Thunderhoof
+Pheres-Band Tromper
+Pheres-Band Warchief
+Phial of Galadriel
+Phlage, Titan of Fire's Fury
+Phobian Phantasm
+Phoenix Chick
+Phoenix of Ash
+Phthisis
+Phylactery Lich
+Phylath, World Sculptor
+Phyresis
+Phyresis Outbreak
+Phyresis Roach
+Phyrexian Altar
+Phyrexian Archivist
+Phyrexian Arena
+Phyrexian Atlas
+Phyrexian Awakening
+Phyrexian Battleflies
+Phyrexian Bloodstock
+Phyrexian Boon
+Phyrexian Broodlings
+Phyrexian Censor
+Phyrexian Crusader
+Phyrexian Debaser
+Phyrexian Defiler
+Phyrexian Denouncer
+Phyrexian Digester
+Phyrexian Dragon Engine
+Phyrexian Dreadnought
+Phyrexian Driver
+Phyrexian Espionage
+Phyrexian Fleshgorger
+Phyrexian Furnace
+Phyrexian Gargantua
+Phyrexian Ghoul
+Phyrexian Harvester
+Phyrexian Hulk
+Phyrexian Hydra
+Phyrexian Infiltrator
+Phyrexian Ingester
+Phyrexian Ironfoot
+Phyrexian Ironworks
+Phyrexian Juggernaut
+Phyrexian Lens
+Phyrexian Marauder
+Phyrexian Metamorph
+Phyrexian Missionary
+Phyrexian Monitor
+Phyrexian Obliterator
+Phyrexian Pegasus
+Phyrexian Prowler
+Phyrexian Rager
+Phyrexian Reaper
+Phyrexian Rebirth
+Phyrexian Scriptures
+Phyrexian Scuta
+Phyrexian Skyflayer
+Phyrexian Slayer
+Phyrexian Snowcrusher
+Phyrexian Swarmlord
+Phyrexian Tribute
+Phyrexian Triniform
+Phyrexian Tyranny
+Phyrexian Unlife
+Phyrexian Vatmother
+Phyrexian Vindicator
+Phyrexian Vivisector
+Phyrexian Walker
+Phyrexian War Beast
+Phyrexian Warhorse
+Phytoburst
+Phytohydra
+Phytotitan
+Pia and Kiran Nalaar
+Pia Nalaar
+Pia Nalaar, Consul of Revival
+Pianna, Nomad Captain
+Pia's Revolution
+Pick-a-Beeble
+Picklock Prankster
+Pick the Brain
+Pick Your Poison
+Picnic Ruiner
+Piece It Together
+Pieces of the Puzzle
+Pierce Strider
+Pierce the Sky
+Piercing Light
+Piercing Rays
+Piety Charm
+Pigment Storm
+Pikemen
+Pileated Provisioner
+Pile On
+Pilfer
+Pilfered Plans
+Pilfering Hawk
+Pilfering Imp
+Pilgrim of Justice
+Pilgrim of the Ages
+Pilgrim of the Fires
+Pilgrim of Virtue
+Pilgrim's Eye
+Pillage
+Pillage the Bog
+Pillaging Horde
+Pillardrop Rescuer
+Pillardrop Warden
+Pillarfield Ox
+Pillar of Flame
+Pillar of Light
+Pillar of Origins
+Pillar of the Paruns
+Pillar of War
+Pillarverge Pathway
+Pillory of the Sleepless
+Pincer Spider
+Pincher Beetles
+Pine Barrens
+Pinecrest Ridge
+Pine Walker
+Pinion Feast
+Pink Horror
+Pinnacle Monk
+Pinnacle of Rage
+Pinpoint Avalanche
+Pin to the Earth
+Pious Evangel
+Pious Interdiction
+Pious Kitsune
+Pious Warrior
+Pious Wayfarer
+Pip-Boy 3000
+Piper of the Swarm
+Piper's Melody
+Piper Wright, Publick Reporter
+Pippin, Guard of the Citadel
+Pippin's Bravery
+Pippin, Warden of Isengard
+Piracy
+Piracy Charm
+Piranha Marsh
+Pirated Copy
+Pirate Hat
+Pirate's Cutlass
+Pirate Ship
+Pirate's Landing
+Pirate's Pillage
+Pirate's Prize
+Pir, Imaginative Rascal
+Pir's Whim
+Piru, the Volatile
+Piston-Fist Cyclops
+Piston Sledge
+Pistus Strike
+Pitchburn Devils
+Pitfall Trap
+Pit Fight
+Pith Driller
+Pithing Needle
+Pitiless Carnage
+Pitiless Gorgon
+Pitiless Horde
+Pitiless Plunderer
+Pitiless Pontiff
+Pitiless Vizier
+Pit Imp
+Pit Keeper
+Pit of Offerings
+Pit Raptor
+Pit Scorpion
+Pit Spawn
+Pit Trap
+Pixie Dust
+Pixie Guide
+Pixie Illusionist
+Pixie Queen
+Placid Rottentail
+Plaguebearer
+Plague Beetle
+Plague Belcher
+Plaguecrafter
+Plaguecrafter's Familiar
+Plague Dogs
+Plague Drone
+Plagued Rusalka
+Plague Engineer
+Plague Fiend
+Plague Mare
+Plague Myr
+Plague Nurse
+Plague of Vermin
+Plague Rats
+Plague Sliver
+Plague Spitter
+Plague Spores
+Plague Stinger
+Plague Wight
+Plague Wind
+Plague Witch
+Plains
+Planar Ally
+Planar Atlas
+Planar Birth
+Planar Bridge
+Planar Chaos
+Planar Cleansing
+Planar Collapse
+Planar Despair
+Planar Disruption
+Planar Gate
+Planar Genesis
+Planar Incision
+Planar Nexus
+Planar Outburst
+Planar Portal
+Planar Void
+Planebound Accomplice
+Plane-Merge Elf
+Planequake
+Planeswalker's Favor
+Planeswalker's Mirth
+Planeswalker's Mischief
+Planeswalker's Scorn
+Planewide Celebration
+Planewide Disaster
+Plant Beans
+Plant Elemental
+Plan the Heist
+Plant Tadpoles
+Plargg and Nassari
+Plargg, Dean of Chaos
+Plasma Caster
+Plasma Elemental
+Plasma Jockey
+Plasmancer
+Plasm Capture
+Plate Armor
+Plateau
+Plated Crusher
+Plated Geopede
+Plated Kilnbeast
+Plated Onslaught
+Plated Pegasus
+Plated Rootwalla
+Plated Seastrider
+Plated Slagwurm
+Plated Sliver
+Plated Spider
+Plated Wurm
+Platinum Angel
+Platinum Angel Avatar
+Platinum Emperion
+Platoon Dispenser
+Plaxcaster Frogling
+Plaxmanta
+Playful Shove
+Play of the Game
+Play with Fire
+Plaza of Harmony
+Plaza of Heroes
+Plea for Guidance
+Plea for Power
+Pledge of Loyalty
+Pledge of Unity
+Plots That Span Centuries
+Plover Knights
+Plow Under
+Plumb the Forbidden
+Plumecreed Escort
+Plumecreed Mentor
+Plumes of Peace
+Plumeveil
+Plummet
+Plunder
+Plunderer's Prize
+Plundering Barbarian
+Plundering Pirate
+Plundering Predator
+Plunge into Winter
+Poetic Ingenuity
+Poet's Quill
+Pointed Discussion
+Poison Arrow
+Poisonbelly Ogre
+Poison-Blade Mentor
+Poison Dart Frog
+Poison the Blade
+Poison the Cup
+Poison the Well
+Poison-Tip Archer
+Polar Kraken
+Polis Crusher
+Pollenbright Druid
+Pollenbright Wings
+Pollen Lullaby
+Pollen-Shield Hare
+Polliwallop
+Polluted Bonds
+Polluted Dead
+Polluted Delta
+Polluted Mire
+Pollywog Prodigy
+Pollywog Symbiote
+Polukranos, Engine of Ruin
+Polukranos Reborn
+Polukranos, Unchained
+Polukranos, World Eater
+Polygoyf
+Polygraph Orb
+Polyraptor
+Pompeii
+Pompous Gadabout
+Ponder
+Pondering Mage
+Pond Prophet
+Pongify
+Pontiff of Blight
+Ponyback Brigade
+Pooling Venom
+Pool of Vigorous Growth
+Pools of Becoming
+Poppet Factory
+Poppet Stitcher
+Pop Quiz
+Popular Entertainer
+Porcelain Legionnaire
+Porcelain Zealot
+Porcine Portent
+Porcuparrot
+Pore Over the Pages
+Porphyry Nodes
+Portable Hole
+Portal Manipulator
+Portal to Phyrexia
+Portcullis
+Portcullis Vine
+Portent
+Portent of Betrayal
+Portent of Calamity
+Portent Tracker
+Port Inspector
+Port of Karfell
+Portrait of Michiko
+Port Razer
+Port Town
+Possessed Aven
+Possessed Barbarian
+Possessed Centaur
+Possessed Nomad
+Possessed Portal
+Possessed Skaab
+Possibility Storm
+Potion of Healing
+Poultice Sliver
+Poultrygeist
+Pounce
+Pouncing Cheetah
+Pouncing Jaguar
+Pouncing Kavu
+Pouncing Lynx
+Pouncing Shoreshark
+Pouncing Wurm
+Powder Ganger
+Power Armor
+Power Artifact
+Powerbalance
+Power Conduit
+Power Depot
+Power Fist
+Power Leak
+Powerleech
+Power Matrix
+Power of Fire
+Power of Persuasion
+Power Plant Worker
+Power Play
+Power Sink
+Powerstone Engineer
+Powerstone Fracture
+Powerstone Minefield
+Powerstone Shard
+Power Struggle
+Power Surge
+Power Taint
+Power Without Equal
+Power Word Kill
+Pox
+Poxwalkers
+Practical Research
+Practiced Tactics
+Pradesh Gypsies
+Praetor's Counsel
+Prahv
+Prahv, Spires of Order
+Prairie Dog
+Prairie Stream
+Prairie Survivalist
+Prakhata Club Security
+Prakhata Pillar-Bug
+Pramikon, Sky Rampart
+Prava of the Steel Legion
+Prayer of Binding
+Preacher
+Preacher of the Schism
+Precinct Captain
+Precipitous Drop
+Precise Strike
+Precision Bolt
+Precognition Field
+Precognitive Perception
+Precursor Golem
+Predation Steward
+Predator Dragon
+Predator, Flagship
+Predator Ooze
+Predator's Gambit
+Predators' Hour
+Predator's Howl
+Predator's Rapport
+Predator's Strike
+Predatory Advantage
+Predatory Focus
+Predatory Hunger
+Predatory Impetus
+Predatory Nightstalker
+Predatory Rampage
+Predatory Sliver
+Predatory Sludge
+Predatory Urge
+Predatory Wurm
+Preeminent Captain
+Preemptive Strike
+Preening Champion
+Preferred Selection
+Premature Burial
+Preordain
+Prepare
+Prescient Chimera
+Presence of Gond
+Presence of the Master
+Presence of the Wise
+Press for Answers
+Press into Service
+Press the Advantage
+Press the Enemy
+Pressure Point
+Preston Garvey, Minuteman
+Preston, the Vanisher
+Presumed Dead
+Pretender's Claim
+Pre-War Formalwear
+Preyseizer Dragon
+Prey's Vengeance
+Prey Upon
+Price of Beauty
+Price of Betrayal
+Price of Fame
+Price of Knowledge
+Price of Loyalty
+Price of Progress
+Prickleboar
+Prickle Faeries
+Prickly Boggart
+Prickly Marmoset
+Prickly Pair
+Pride Guardian
+Pridemalkin
+Pride of Conquerors
+Pride of Lions
+Pride of the Clouds
+Pride of the Perfect
+Pride Sovereign
+Priest of Ancient Lore
+Priest of Fell Rites
+Priest of Forgotten Gods
+Priest of Gix
+Priest of Iroas
+Priest of Possibility
+Priest of the Blessed Graf
+Priest of the Blood Rite
+Priest of the Haunted Edge
+Priest of the Wakening Sun
+Priest of Titania
+Priest of Urabrask
+Priests of Norn
+Primal Amulet
+Primal Bellow
+Primal Beyond
+Primal Boost
+Primal Clay
+Primal Command
+Primalcrux
+Primal Druid
+Primal Empathy
+Primal Forcemage
+Primal Frenzy
+Primal Growth
+Primal Huntbeast
+Primal Might
+Primal Order
+Primal Prayers
+Primal Rage
+Primal Surge
+Primal Vigor
+Primal Visitation
+Primal Wellspring
+Primal Whisperer
+Primaris Chaplain
+Primaris Eliminator
+Prime Minister's Cabinet Room
+Prime Speaker Vannifar
+Prime Speaker Zegana
+Primeval Bounty
+Primeval Force
+Primeval Herald
+Primeval Light
+Primeval Protector
+Primevals' Glorious Rebirth
+Primeval Shambler
+Primeval Spawn
+Primeval Titan
+Primitive Etchings
+Primitive Justice
+Primoc Escapee
+Primordial Gnawer
+Primordial Hydra
+Primordial Plasm
+Primordial Sage
+Primordial Wurm
+Prince Imrahil the Fair
+Prince of Thralls
+Princess Lucrezia
+Printlifter Ooze
+Priority Boarding
+Prismari Apprentice
+Prismari Campus
+Prismari Command
+Prismari Pledgemage
+Prismatic Boon
+Prismatic Dragon
+Prismatic Geoscope
+Prismatic Omen
+Prismatic Vista
+Prismatic Ward
+Prism Ring
+Prison Barricade
+Prisoner's Dilemma
+Prison Realm
+Prison Sentence
+Prison Term
+Pristine Angel
+Pristine Skywise
+Pristine Talisman
+Private Eye
+Private Research
+Privileged Position
+Prized Amalgam
+Prized Elephant
+Prized Griffin
+Prized Statue
+Prized Unicorn
+Prizefight
+Prizefighter Construct
+Prize Pig
+Probe
+Processor Assault
+Prodigal Pyromancer
+Prodigal Sorcerer
+Prodigal Sorcerer Avatar
+Prodigious Growth
+Prodigy's Prototype
+Profane Insight
+Profane Memento
+Profane Prayers
+Profane Procession
+Profane Tutor
+Professional Face-Breaker
+Professor of Symbology
+Professor of Zoomancy
+Professor Onyx
+Professor's Warning
+Profit
+Profound Journey
+Proft's Eidetic Memory
+Progenitor Exarch
+Progenitor Mimic
+Progenitor's Icon
+Progenitus
+Prognostic Sphinx
+Projektor Inspector
+Prologue to Phyresis
+Promised Kannushi
+Promise of Aclazotz
+Promise of Bunrei
+Promise of Loyalty
+Promise of Tomorrow
+Promising Duskmage
+Promising Vein
+Propaganda
+Propagator Drone
+Propagator Primordium
+Propeller Pioneer
+Proper Burial
+Prophecy
+Prophetic Bolt
+Prophetic Flamespeaker
+Prophetic Titan
+Prophet of Distortion
+Prophet of Kruphix
+Prophet of the Peak
+Prosperity
+Prosperity Tycoon
+Prosperous Bandit
+Prosperous Innkeeper
+Prosperous Partnership
+Prosperous Pirates
+Prosperous Thief
+Prosper, Tome-Bound
+Prossh, Skyraider of Kher
+Prosthetic Injector
+Protean Hulk
+Protean Hydra
+Protean Raider
+Protean Thaumaturge
+Protean War Engine
+Protect
+Protection of the Hekma
+Protection Racket
+Protective Bubble
+Protective Parents
+Protector of Gondor
+Protector of the Crown
+Protect the Negotiators
+Proteus Machine
+Protocol Knight
+Protomatter Powder
+Prototype Portal
+Proud Mentor
+Proud Pack-Rhino
+Proud Wildbonder
+Proven Combatant
+Providence
+Provisions Merchant
+Provoke the Trolls
+Prowess of the Fair
+Prowler's Helm
+Prowling Caracal
+Prowling Felidar
+Prowling Geistcatcher
+Prowling Nightstalker
+Prowling Pangolin
+Prowling Serpopard
+Prowl, Pursuit Vehicle
+Prowl, Stoic Strategist
+Prying Blade
+Prying Eyes
+Prying Questions
+Pseudodragon Familiar
+Psionic Blast
+Psionic Gift
+Psionic Pulse
+Psionic Sliver
+Psionic Snoop
+Psychic Allergy
+Psychic Barrier
+Psychic Battle
+Psychic Corrosion
+Psychic Drain
+Psychic Frog
+Psychic Impetus
+Psychic Membrane
+Psychic Miasma
+Psychic Overload
+Psychic Paper
+Psychic Pickpocket
+Psychic Purge
+Psychic Rebuttal
+Psychic Spear
+Psychic Spiral
+Psychic Strike
+Psychic Symbiont
+Psychic Venom
+Psychic Whorl
+Psychogenic Probe
+Psychomancer
+Psychotic Fury
+Psychotic Haze
+Psychotrope Thallid
+Pteramander
+Pterodon Knight
+Public Enemy
+Public Execution
+Public Thoroughfare
+Puffer Extract
+Pugnacious Hammerskull
+Pugnacious Pugilist
+Pull
+Pull from Eternity
+Pull from the Deep
+Pull from Tomorrow
+Pulling Teeth
+Pull of the Mist Moon
+Pull Under
+Pulmonic Sliver
+Pulsating Illusion
+Pulse of Murasa
+Pulse of the Dross
+Pulse of the Fields
+Pulse of the Forge
+Pulse of the Grid
+Pulse of the Tangle
+Pulse Tracker
+Pulverize
+Puncture Blast
+Puncture Bolt
+Puncturing Blow
+Puncturing Light
+Punish Ignorance
+Punishing Fire
+Punishment
+Punish the Enemy
+Puny Snack
+Puppet Conjurer
+Puppeteer Clique
+Puppet Master
+Puppet Raiser
+Pure
+Pure Reflection
+Puresteel Angel
+Puresteel Paladin
+Purestrain Genestealer
+Purgatory
+Purge
+Purge the Profane
+Purging Scythe
+Purify
+Purifying Dragon
+Purify the Grave
+Purity
+Purphoros, Bronze-Blooded
+Purphoros, God of the Forge
+Purphoros's Emissary
+Purphoros's Intervention
+Purple-Crystal Crab
+Purple Worm
+Purraj of Urborg
+Pursued Whale
+Pursue Glory
+Pursuit of Flight
+Push
+Pus Kami
+Put Away
+Putrefaction
+Putrefax
+Putrefy
+Putrid Goblin
+Putrid Raptor
+Pygmy Allosaurus
+Pygmy Kavu
+Pygmy Pyrosaur
+Pygmy Razorback
+Pygmy Troll
+Pyknite
+Pyramid of the Pantheon
+Pyramids
+Pyre Charger
+Pyreheart Wolf
+Pyre Hound
+Pyre of Heroes
+Pyre of the World Tree
+Pyre-Sledge Arsonist
+Pyre Spawn
+Pyreswipe Hawk
+Pyretic Charge
+Pyretic Hunter
+Pyretic Prankster
+Pyretic Rebirth
+Pyretic Ritual
+Pyrewild Shaman
+Pyre Zombie
+Pyrite Spellbomb
+Pyroblast
+Pyroceratops
+Pyroclasm
+Pyroclast Consul
+Pyroclastic Elemental
+Pyroclastic Hellion
+Pyroconvergence
+Pyrogoyf
+Pyrohemia
+Pyrokinesis
+Pyromancer Ascension
+Pyromancer's Assault
+Pyromancer's Gauntlet
+Pyromancer's Goggles
+Pyromancer's Swath
+Pyromantic Pilgrim
+Pyromatics
+Pyrophobia
+Pyrostatic Pillar
+Pyrotechnic Performer
+Pyrotechnics
+Pyrrhic Blast
+Pyrrhic Revival
+Python
+Qal Sisma Behemoth
+Qarsi Deceiver
+Qarsi High Priest
+Qarsi Sadist
+Qasali Ambusher
+Qasali Pridemage
+Qasali Slingers
+Qilin's Blessing
+Quagmire
+Quagmire Lamprey
+Quagnoth
+Quag Sickness
+Quag Vampires
+Quakebringer
+Quakefoot Cyclops
+Quaketusk Boar
+Quandrix Apprentice
+Quandrix Campus
+Quandrix Command
+Quandrix Cultivator
+Quandrix Pledgemage
+Quantum Misalignment
+Quarantine Field
+Quarrel's End
+Quarry Beetle
+Quarry Colossus
+Quarry Hauler
+Quartzwood Crasher
+Quash
+Quasiduplicate
+Queen Allenal of Ruadach
+Queen Kayla bin-Kroog
+Queen Marchesa
+Queen of Ice
+Queen's Agent
+Queen's Bay Paladin
+Queen's Bay Soldier
+Queen's Commission
+Quench
+Quenchable Fire
+Quest for Ancient Secrets
+Quest for Renewal
+Quest for the Gemblades
+Quest for the Goblin Lord
+Quest for the Gravelord
+Quest for the Holy Relic
+Quest for the Necropolis
+Quest for the Nihil Stone
+Quest for Ula's Temple
+Questing Beast
+Questing Druid
+Queza, Augur of Agonies
+Quickbeam, Upstart Ent
+Quick Draw
+Quick-Draw Dagger
+Quick Fixer
+Quickling
+Quicksand
+Quicksand Whirlpool
+Quicksilver Amulet
+Quicksilver Behemoth
+Quicksilver Dagger
+Quicksilver Fisher
+Quicksilver Fountain
+Quicksilver Gargantuan
+Quicksilver Geyser
+Quicksilver Lapidary
+Quicksilver Sea
+Quicksilver Servitor
+Quicksilver Wall
+Quick Sliver
+Quicksmith Genius
+Quicksmith Rebel
+Quicksmith Spy
+Quick Study
+Quiet Contemplation
+Quiet Disrepair
+Quiet Purity
+Quietus Spike
+Quilled Charger
+Quilled Slagwurm
+Quilled Sliver
+Quilled Wolf
+Quillmane Baku
+Quill-Slinger Boggart
+Quillspike
+Quintorius, Field Historian
+Quintorius Kand
+Quintorius, Loremaster
+Quirion Beastcaller
+Quirion Druid
+Quirion Dryad
+Quirion Elves
+Quirion Explorer
+Quirion Sentinel
+Quirion Trailblazer
+Qumulox
+Rabbit Battery
+Rabbit Response
+Rabble-Rouser
+Rabble Rousing
+Rabid Bite
+Rabid Bloodsucker
+Rabid Elephant
+Rabid Gnaw
+Rabid Rats
+Rabid Wolverines
+Rabid Wombat
+Raccoon Rallier
+Racecourse Fury
+Racers' Ring
+Rack and Ruin
+Racketeer Boss
+Rackling
+Radagast the Brown
+Radagast, Wizard of Wilds
+Raddic, Tal Zealot
+Radha, Coalition Warlord
+Radha, Heart of Keld
+Radha, Heir to Keld
+Radha's Firebrand
+Radiant, Archangel
+Radiant Destiny
+Radiant Epicure
+Radiant Essence
+Radiant Fountain
+Radiant Grace
+Radiant Grove
+Radiant Performer
+Radiant Purge
+Radiant Restraints
+Radiant Scrollwielder
+Radiant's Dragoons
+Radiant, Serra Archangel
+Radiant's Judgment
+Radiant Smite
+Radiant Solar
+Radiate
+Radiating Lightning
+Radical Idea
+Radjan Spirit
+Rad Rascal
+Radstorm
+Raff Capashen, Ship's Mage
+Raffine, Scheming Seer
+Raffine's Guidance
+Raffine's Informant
+Raffine's Silencer
+Raffine's Tower
+Raff, Weatherlight Stalwart
+Rafiq of the Many
+Rafter Demon
+Ragavan, Nimble Pilferer
+Rag Dealer
+Rageblood Shaman
+Rage Extractor
+Ragefire
+Ragefire Hellkite
+Rage Forger
+Rageform
+Ragemonger
+Rage Nimbus
+Rage of Purphoros
+Rage of Winter
+Rage Reflection
+Rage-Scarred Berserker
+Rage Thrower
+Rage Weaver
+Raggadragga, Goreguts Boss
+Ragged Recluse
+Ragged Veins
+Raging Battle Mouse
+Raging Bull
+Raging Cougar
+Raging Goblin
+Raging Gorilla
+Raging Kavu
+Raging Kronch
+Raging Minotaur
+Raging Poltergeist
+Raging Ravine
+Raging Redcap
+Raging Regisaur
+Raging River
+Raging Spirit
+Raging Swordtooth
+Rag Man
+Rags
+Rahilda, Feral Outlaw
+Rahilda, Wanted Cutthroat
+Raid Bombardment
+Raiders' Karve
+Raiders' Spoils
+Raiders' Wake
+Raiding Nightstalker
+Raiding Party
+Railway Brawler
+Rainbow Dash
+Rainbow Efreet
+Rainbow Knights
+Rainbow Vale
+Rain of Blades
+Rain of Embers
+Rain of Gore
+Rain of Revelation
+Rain of Riches
+Rain of Salt
+Rain of Tears
+Rain of Thorns
+Raised by Giants
+Raised by Wolves
+Raise Dead
+Raise the Alarm
+Raise the Draugr
+Raise the Palisade
+Raiyuu, Storm's Edge
+Raka Disciple
+Raka Sanctuary
+Rakavolver
+Rakdos Cackler
+Rakdos Carnarium
+Rakdos Cluestone
+Rakdos Drake
+Rakdos Firewheeler
+Rakdos Guildgate
+Rakdos Guildmage
+Rakdos Headliner
+Rakdos Ickspitter
+Rakdos Joins Up
+Rakdos Keyrune
+Rakdos Locket
+Rakdos, Lord of Riots
+Rakdos, Patron of Chaos
+Rakdos Pit Dragon
+Rakdos Ragemutt
+Rakdos Ringleader
+Rakdos Roustabout
+Rakdos Shred-Freak
+Rakdos's Return
+Rakdos the Defiler
+Rakdos, the Muscle
+Rakdos, the Showstopper
+Rakdos Trumpeter
+Rakeclaw Gargantuan
+Raking Canopy
+Raking Claws
+Rakish Crew
+Rakish Heir
+Rakish Revelers
+Rakish Scoundrel
+Rakka Mar
+Raksha Golden Cub
+Raksha Golden Cub Avatar
+Rakshasa Deathdealer
+Rakshasa Debaser
+Rakshasa Gravecaller
+Rakshasa's Disdain
+Rakshasa's Secret
+Rakshasa Vizier
+Ral and the Implicit Maze
+Ral, Caller of Storms
+Ral, Crackling Wit
+Ral, Izzet Viceroy
+Ral, Leyline Prodigy
+Rally
+Rally at the Hornburg
+Rally for the Throne
+Rallying Roar
+Rally Maneuver
+Rally of Wings
+Rally the Forces
+Rally the Galadhrim
+Rally the Horde
+Rally the Peasants
+Rally the Ranks
+Rally to Battle
+Ral, Monsoon Mage
+Ral's Dispersal
+Ral's Outburst
+Ral's Reinforcements
+Ral's Staticaster
+Ral, Storm Conduit
+Ral Zarek
+Rambling Possum
+Rambunctious Mutt
+Ramirez DePietro
+Ramirez DePietro, Pillager
+Rammas Echor, Ancient Shield
+Ramos, Dragon Engine
+Ramosian Captain
+Ramosian Commander
+Ramosian Greatsword
+Ramosian Lieutenant
+Ramosian Revivalist
+Ramosian Sergeant
+Ramosian Sky Marshal
+Rampage of the Clans
+Rampage of the Valkyries
+Rampaging Baloths
+Rampaging Brontodon
+Rampaging Ceratops
+Rampaging Cyclops
+Rampaging Ferocidon
+Rampaging Geoderm
+Rampaging Growth
+Rampaging Hippo
+Rampaging Monument
+Rampaging Raptor
+Rampaging Rendhorn
+Rampaging Spiketail
+Rampaging Ursaguana
+Rampaging War Mammoth
+Rampaging Werewolf
+Rampaging Yao Guai
+Rampant Elephant
+Rampant Frogantua
+Rampant Growth
+Rampant Rejuvenator
+Rampart Crawler
+Rampart Smasher
+Ramroller
+Ramses, Assassin Lord
+Ramses Overdark
+Ram Through
+Ramunap Excavator
+Ramunap Hydra
+Ramunap Ruins
+Ranar the Ever-Watchful
+Rancid Earth
+Rancid Rats
+Rancor
+Ranger-Captain of Eos
+Ranger Class
+Ranger en-Vec
+Ranger of Eos
+Ranger's Firebrand
+Ranger's Guile
+Ranger's Hawk
+Ranger's Longbow
+Rangers of Ithilien
+Ranger's Path
+Ranger Squadron
+Ranging Raptors
+Rank and File
+Rankle and Torbran
+Rankle, Master of Pranks
+Rankle, Pitiless Trickster
+Rankle's Prank
+Rank Officer
+Ransack the Lab
+Ransom Note
+Rapacious Dragon
+Rapacious Guest
+Rapacious One
+Raphael, Fiendish Savior
+Rapid Augmenter
+Rapid Hybridization
+Rappelling Scouts
+Raptor Companion
+Raptor Hatchling
+Rasaad, Dragon Monk
+Rasaad, Monk of Selûne
+Rasaad, Radiant Monk
+Rasaad, Shadow Monk
+Rasaad, Sylvan Monk
+Rasaad, Warrior Monk
+Rasaad yn Bashir
+Rashida Scalebane
+Rashka the Slayer
+Rashmi and Ragavan
+Rashmi, Eternities Crafter
+Rasputin Dreamweaver
+Rasputin, the Oneiromancer
+Rassilon, the War President
+Ratadrabik of Urborg
+Ratcatcher
+Ratcatcher Trainee
+Ratchet Bomb
+Ratchet, Field Medic
+Ratchet, Rescue Racer
+Rat Colony
+Rathi Assassin
+Rathi Dragon
+Rathi Fiend
+Rathi Intimidator
+Rathi Trapper
+Ratonhnhaké:ton
+Rat Out
+Rats of Rath
+Rattleback Apothecary
+Rattleblaze Scarecrow
+Rattlechains
+Rattleclaw Mystic
+Raucous Entertainer
+Raucous Theater
+Raugrin Crystal
+Raugrin Triome
+Raul, Trouble Shooter
+Ravaged Highlands
+Ravager of the Fells
+Ravager's Mace
+Ravager Wurm
+Ravages of War
+Ravaging Blaze
+Ravaging Horde
+Ravaging Riftwurm
+Raven Clan War-Axe
+Ravener
+Raven Familiar
+Ravenform
+Raven Guild Initiate
+Raven Guild Master
+Ravenloft Adventurer
+Raven of Fell Omens
+Ravenous Baboons
+Ravenous Baloth
+Ravenous Bloodseeker
+Ravenous Chupacabra
+Ravenous Daggertooth
+Ravenous Demon
+Ravenous Giant
+Ravenous Gigamole
+Ravenous Gigantotherium
+Ravenous Harpy
+Ravenous Intruder
+Ravenous Leucrocota
+Ravenous Lindwurm
+Ravenous Necrotitan
+Ravenous Pursuit
+Ravenous Rats
+Ravenous Rotbelly
+Ravenous Sailback
+Ravenous Skirge
+Ravenous Slime
+Ravenous Squirrel
+Ravenous Trap
+Ravenous Tyrannosaurus
+Raven's Crime
+Raven's Run
+Raven's Run Dragoon
+Raven Wings
+Ravine Raider
+Raving Dead
+Raving Oni-Slave
+Raving Visionary
+Ravnica at War
+Ravos, Soultender
+Rayami, First of the Fallen
+Rayne, Academy Chancellor
+Ray of Command
+Ray of Dissolution
+Ray of Distortion
+Ray of Enfeeblement
+Ray of Erasure
+Ray of Frost
+Ray of Revelation
+Ray of Ruin
+Razaketh's Rite
+Razaketh, the Foulblooded
+Raze the Effigy
+Raze to the Ground
+Razing Snidd
+Razor Barrier
+Razor Boomerang
+Razorclaw Bear
+Razorfield Rhino
+Razorfield Ripper
+Razorfield Thresher
+Razorfin Abolisher
+Razorfin Hunter
+Razorfoot Griffin
+Razor Golem
+Razorgrass Ambush
+Razorgrass Field
+Razorgrass Screen
+Razor Hippogriff
+Razorjaw Oni
+Razorlash Transmogrant
+Razor Swine
+Razortide Bridge
+Razortip Whip
+Razortooth Rats
+Razorverge Thicket
+Razzle-Dazzler
+Reach for the Sky
+Reach of Branches
+Reach of Shadows
+Reach Through Mists
+Read the Bones
+Read the Tides
+Ready
+Ready to Rumble
+Reality
+Reality Acid
+Reality Anchor
+Reality Heist
+Reality Hemorrhage
+Reality Scramble
+Reality Shaping
+Reality Shift
+Reality Smasher
+Reality Strobe
+Realmbreaker's Grasp
+Realmbreaker, the Invasion Tree
+Realm-Cloaked Giant
+Realms Befitting My Majesty
+Realm-Scorcher Hellkite
+Realm Seekers
+Realms Uncharted
+Realmwalker
+Realmwright
+Reanimate
+Reap
+Reap and Sow
+Reaper from the Abyss
+Reaper King
+Reaper King Avatar
+Reaper of Flight Moonsilver
+Reaper of Night
+Reaper of Sheoldred
+Reaper of the Wilds
+Reaper's Talisman
+Reaping the Graves
+Reap Intellect
+Reap the Past
+Reap the Seagraf
+Reap What Is Sown
+Reason
+Reasonable Doubt
+Reassembling Skeleton
+Reaver Ambush
+Reaver Drone
+Reaver Titan
+Reave Soul
+Rebbec, Architect of Ascension
+Rebel Informer
+Rebellion of the Flamekin
+Rebel Salvo
+Rebirth
+Reborn Hero
+Reborn Hope
+Rebuff the Wicked
+Rebuild
+Rebuild the City
+Rebuke
+Rebuking Ceremony
+Recalibrate
+Reciprocate
+Reckless Air Strike
+Reckless Amplimancer
+Reckless Brute
+Reckless Bushwhacker
+Reckless Charge
+Reckless Cohort
+Reckless Crew
+Reckless Detective
+Reckless Embermage
+Reckless Endeavor
+Reckless Fireweaver
+Reckless Handling
+Reckless Imp
+Reckless Impulse
+Reckless Lackey
+Reckless Ogre
+Reckless One
+Reckless Pangolin
+Reckless Pyrosurfer
+Reckless Racer
+Reckless Rage
+Reckless Reveler
+Reckless Ringleader
+Reckless Scholar
+Reckless Spite
+Reckless Stormseeker
+Reckless Waif
+Reckless Wurm
+Reckoner Bankbuster
+Reckoner's Bargain
+Reckoner Shakedown
+Reclaim
+Reclaiming Vines
+Reclaim the Wastes
+Reclamation
+Reclamation Sage
+Reclusive Artificer
+Reclusive Taxidermist
+Recoil
+Recollect
+Recommission
+Recon Craft Theta
+Reconnaissance Mission
+Reconstructed Thopter
+Reconstruct History
+Reconstruction
+Recoup
+Recover
+Recross the Paths
+Recruiter of the Guard
+Recruitment Drive
+Recruitment Officer
+Recruit the Worthy
+Recumbent Bliss
+Recuperate
+Recurring Nightmare
+Recycla-bird
+Recycle
+Redcap Gutter-Dweller
+Redcap Heelslasher
+Redcap Raiders
+Redcap Thief
+Red Cliffs Armada
+Red Death, Shipwrecker
+Red Dragon
+Redeem the Lost
+Red Elemental Blast
+Redemption Arc
+Redemption Choir
+Redemptor Dreadnought
+Red Herring
+Red Mana Battery
+Redrock Sentinel
+Red Scarab
+Red Sun's Twilight
+Red Sun's Zenith
+Redtooth Genealogist
+Redtooth Vanguard
+Reduce
+Reduce in Stature
+Reduce to Ashes
+Reduce to Dreams
+Reduce to Memory
+Red Ward
+Redwood Treefolk
+Reef Pirates
+Reef Worm
+Reenact the Crime
+Reezug, the Bonecobbler
+Referee Squad
+Reflecting Pool
+Reflection Net
+Reflection of Kiki-Jiki
+Reflections of Littjara
+Reflective Golem
+Reflector Mage
+Reflexes
+Reflex Sliver
+Refocus
+Reforge the Soul
+Refraction Elemental
+Refresh
+Refreshing Rain
+Refurbish
+Refurbished Familiar
+Refuse to Yield
+Regal Behemoth
+Regal Bloodlord
+Regal Bunnicorn
+Regal Caracal
+Regal Force
+Regal Leosaur
+Regal Sliver
+Regal Unicorn
+Regathan Firecat
+Regenerate
+Regeneration
+Regenerations Restored
+Regenesis
+Regent's Authority
+Regicide
+Regisaur Alpha
+Regna's Sanction
+Regna, the Redeemer
+Regress
+Regrowth
+Reidane, God of the Worthy
+Reign of Chaos
+Reign of the Pit
+Reincarnation
+Reinforced Bulwark
+Reinforced Ronin
+Reinforcements
+Reinterpret
+Reiterate
+Reiterating Bolt
+Reito Lantern
+Reito Sentinel
+Reiver Demon
+Reject
+Rejuvenate
+Rejuvenating Springs
+Rejuvenation Chamber
+Rekindled Flame
+Rekindling Phoenix
+Reki, the History of Kamigawa
+Reknit
+Relearn
+Release
+Release the Ants
+Release the Dogs
+Release the Gremlins
+Release to Memory
+Release to the Wind
+Relentless Advance
+Relentless Assault
+Relentless Dead
+Relentless Hunter
+Relentless Pursuit
+Relentless Raptor
+Relentless Rats
+Relentless Rohirrim
+Relentless Skaabs
+Relic Amulet
+Relic Axe
+Relic Bane
+Relic Barrier
+Relic Crush
+Relic Golem
+Relic of Legends
+Relic of Progenitus
+Relic of Sauron
+Relic Putrescence
+Relic Robber
+Relic Runner
+Relic Seeker
+Relic Sloth
+Relics of the Rubblebelt
+Relic's Roar
+Relic Vial
+Relief Captain
+Reliquary Monk
+Reliquary Tower
+Relive the Past
+Remand
+Remember the Fallen
+Remembrance
+Reminisce
+Rem Karolus, Stalwart Slayer
+Remnant of the Rising Star
+Remorseful Cleric
+Remorseless Punishment
+Remote Farm
+Remote Isle
+Remove
+Remove Enchantments
+Remove Soul
+Renari, Merchant of Marvels
+Renata, Called to the Hunt
+Rendclaw Trow
+Render Inert
+Render Silent
+Rend Flesh
+Rending Flame
+Rending Vines
+Rending Volley
+Rend Spirit
+Renegade Demon
+Renegade Doppelganger
+Renegade Firebrand
+Renegade Freighter
+Renegade Krasis
+Renegade Map
+Renegade Rallier
+Renegade Reaper
+Renegade's Getaway
+Renegade Silent
+Renegade Tactics
+Renegade Troops
+Renegade Warlord
+Renegade Wheelsmith
+Renewal
+Renewed Faith
+Renewing Dawn
+Renewing Touch
+Renounce the Guilds
+Renowned Weaponsmith
+Renowned Weaver
+Repair and Recharge
+Reparations
+Repay in Kind
+Repeal
+Repeated Reverberation
+Repeating Barrage
+Repeat Offender
+Repel
+Repel Calamity
+Repel the Darkness
+Repel the Vile
+Repentant Blacksmith
+Repentant Vampire
+Repercussion
+Replenish
+Replicating Ring
+Replication Specialist
+Replication Technique
+Repopulate
+Repository Skaab
+Reprieve
+Reprisal
+Reprobation
+Reptilian Recruiter
+Reptilian Reflection
+Repulse
+Repulsive Mutation
+Requiem Angel
+Requisition Raid
+Rescind
+Rescue
+Rescuer Chwinga
+Rescue Retriever
+Rescuer Sphinx
+Rescue the Foal
+Resculpt
+Research
+Research Assistant
+Research the Deep
+Research Thief
+Reservoir Kraken
+Reservoir Walker
+Reshape the Earth
+Resilient Khenra
+Resilient Roadrunner
+Resistance Reunited
+Resistance Skywarden
+Resistance Squad
+Resize
+Resolute Archangel
+Resolute Blademaster
+Resolute Reinforcements
+Resolute Rejection
+Resolute Rider
+Resolute Strike
+Resolute Survivors
+Resolute Veggiesaur
+Resolute Watchdog
+Resonance Technician
+Resounding Thunder
+Resounding Wave
+Resourceful Defense
+Resourceful Return
+Respite
+Resplendent Angel
+Resplendent Griffin
+Resplendent Marshal
+Resplendent Mentor
+Response
+Restart Sequence
+Rest for the Weary
+Rest in Peace
+Restless Anchorage
+Restless Apparition
+Restless Bivouac
+Restless Bloodseeker
+Restless Bones
+Restless Cottage
+Restless Dead
+Restless Fortress
+Restless Prairie
+Restless Reef
+Restless Ridgeline
+Restless Spire
+Restless Vents
+Restless Vinestalk
+Restock
+Restoration Angel
+Restoration Gearsmith
+Restoration Specialist
+Restorative Burst
+Restore
+Restore the Peace
+Restrain
+Resupply
+Resurgence
+Resurgent Belief
+Resurrection
+Resurrection Orb
+Retaliate
+Retaliation
+Retaliator Griffin
+Retether
+Rethink
+Retract
+Retreat to Coralhelm
+Retreat to Emeria
+Retreat to Hagra
+Retreat to Kazandu
+Retreat to Valakut
+Retribution
+Retribution of the Meek
+Retributive Wand
+Retrieval Agent
+Retrieve
+Retrieve Prey
+Retriever Phoenix
+Retrofitted Transmogrant
+Retrofitter Foundry
+Retromancer
+Return
+Returned Centaur
+Returned Pastcaller
+Returned Phalanx
+Returned Reveler
+Return from Extinction
+Return from the Wilds
+Return of the Nightstalkers
+Return of the Wildspeaker
+Return the Favor
+Return the Past
+Return to Action
+Return to Battle
+Return to Dust
+Return to Nature
+Return to the Earth
+Return to the Ranks
+Return Triumphant
+Return Upon the Tide
+Revealing Eye
+Revealing Wind
+Reveillark
+Reveille Squad
+Reveka, Wizard Savant
+Revelation of Power
+Revel in Riches
+Revel in Silence
+Revel of the Fallen God
+Revel Ruiner
+Revelsong Horn
+Revenant
+Revenant Patriarch
+Revenge
+Revenge of Ravens
+Revenge of the Drowned
+Revenge of the Hunted
+Reverberate
+Revered Dead
+Revered Elder
+Revered Unicorn
+Reverence
+Reverent Hoplite
+Reverent Hunter
+Reverent Silence
+Reversal of Fortune
+Reverse Damage
+Reverse Engineer
+Reverse Polarity
+Reverse the Polarity
+Revitalize
+Revitalizing Repast
+Revival
+Revival Experiment
+Revive
+Revive the Fallen
+Revive the Shire
+Revivify
+Reviving Dose
+Reviving Melody
+Reviving Vapors
+Revoke Existence
+Revoke Privileges
+Revolutionary Rebuff
+Revolutionist
+Rewards of Diversity
+Reward the Faithful
+Rewind
+Rex, Cyber-Hound
+Reya Dawnbringer
+Reyav, Master Smith
+Reyhan, Last of the Abzan
+Rhet-Crop Spearmaster
+Rhizome Lurcher
+Rhoda, Geist Avenger
+Rhonas's Last Stand
+Rhonas's Monument
+Rhonas's Stalwart
+Rhonas the Indomitable
+Rhox
+Rhox Bodyguard
+Rhox Brute
+Rhox Charger
+Rhox Faithmender
+Rhox Maulers
+Rhox Meditant
+Rhox Oracle
+Rhox Pikemaster
+Rhox Pummeler
+Rhox Veteran
+Rhox War Monk
+Rhuk, Hexgold Nabber
+Rhys the Exiled
+Rhys the Redeemed
+Rhystic Scrying
+Rhystic Study
+Rhystic Syphon
+Rhystic Tutor
+Rhythmic Water Vortex
+Rhythm of the Wild
+Ribald Shanty
+Ribbons
+Ribbon Snake
+Ribbons of Night
+Ribbons of the Reikai
+Rib Cage Spider
+Ribskiff
+Riches
+Richlau, Headmaster
+Rick, Steadfast Leader
+Ricochet Trap
+Rictus Robber
+Riddleform
+Riddle Gate Gargoyle
+Riddlekeeper
+Riddlemaster Sphinx
+Riddlesmith
+Ride Down
+Ride Guide
+Rider in Need
+Riders of Gavony
+Riders of Rohan
+Riders of the Mark
+Ride the Rails
+Ridged Kusite
+Ridgeline Rager
+Ridge Rannet
+Ridgescale Tusker
+Ridgetop Raptor
+Riding Red Hare
+Riding the Dilu Horse
+Rielle, the Everwise
+Rienne, Angel of Rebirth
+Rift Bolt
+Riftburst Hellion
+Riftmarked Knight
+Rift Sower
+Riftstone Portal
+Riftsweeper
+Riftwing Cloudskate
+Rigging Runner
+Righteous Authority
+Righteous Avengers
+Righteous Blow
+Righteous Cause
+Righteous Charge
+Righteous Confluence
+Righteous Fury
+Righteous Indignation
+Righteous Valkyrie
+Righteous War
+Rigo, Streetwise Mentor
+Riku of Many Paths
+Riku of Two Reflections
+Rile
+Rilsa Rael, Kingpin
+Rimebound Dead
+Rime Dryad
+Rimefeather Owl
+Rimefur Reindeer
+Rimescale Dragon
+Rimeshield Frost Giant
+Rime Tender
+Rime Transfusion
+Rimewall Protector
+Rimewind Cryomancer
+Rimewood Falls
+Rimrock Knight
+Rin and Seri, Inseparable
+Ring of Evos Isle
+Ring of Immortals
+Ring of Kalonia
+Ring of Renewal
+Ring of Three Wishes
+Ring of Thune
+Ring of Valkas
+Ring of Xathrid
+Ringsight
+Ringskipper
+Rings of Brighthearth
+Ringwarden Owl
+Ringwraiths
+Rionya, Fire Dancer
+Riot Devils
+Riot Gear
+Riot Piker
+Riot Ringleader
+Riot Spikes
+Rip Apart
+Riparian Tiger
+Rip-Clan Crasher
+Riphook Raider
+Ripjaw Raptor
+Ripples of Potential
+Ripples of Undeath
+Ripscale Predator
+Rip the Seams
+Riptide
+Riptide Biologist
+Riptide Chimera
+Riptide Crab
+Riptide Director
+Riptide Entrancer
+Riptide Island
+Riptide Laboratory
+Riptide Pilferer
+Riptide Replicator
+Riptide Survivor
+Riptide Turtle
+Rise
+Rise Again
+Rise and Shine
+Rise from the Grave
+Rise from the Tides
+Risen Executioner
+Risen Reef
+Risen Riptide
+Risen Sanctuary
+Rise of Eagles
+Rise of Extus
+Rise of the Ants
+Rise of the Dark Realms
+Rise of the Dread Marn
+Rise of the Eldrazi
+Rise of the Hobgoblins
+Rise of the Varmints
+Rise of the Witch-king
+Rise to Glory
+Rise to the Challenge
+Rishadan Airship
+Rishadan Brigand
+Rishadan Cutpurse
+Rishadan Dockhand
+Rishadan Footpad
+Rishadan Pawnshop
+Rishkar, Peema Renegade
+Rishkar's Expertise
+Rising Miasma
+Rising of the Day
+Rising Populace
+Rising Waters
+Risk Factor
+Risky Move
+Risona, Asari Commander
+Rite of Belzenlok
+Rite of Consumption
+Rite of Flame
+Rite of Harmony
+Rite of Oblivion
+Rite of Passage
+Rite of Replication
+Rite of the Raging Storm
+Rite of the Serpent
+Rites of Flourishing
+Rites of Reaping
+Rith, Liberated Primeval
+Rith's Charm
+Rith's Grove
+Rith, the Awakener
+Rith, the Awakener Avatar
+Ritual Guardian
+Ritual of Hope
+Ritual of Rejuvenation
+Ritual of Restoration
+Ritual of Soot
+Ritual of Steel
+Ritual of the Returned
+Rivalry
+Rivals' Duel
+Rivaz of the Claw
+Rivendell
+Riven Turnbull
+River Bear
+River Boa
+River Darter
+River Delta
+Riverfall Mimic
+Riverglide Pathway
+River Herald Guide
+River Heralds' Boon
+River Herald Scout
+River Hoopoe
+River Kaijin
+River Kelpie
+River Merfolk
+River of Tears
+River Serpent
+River's Favor
+River Sneak
+River Song
+River Song's Diary
+River's Rebuke
+Riverwheel Aerialists
+Riverwise Augur
+Riveteers Ascendancy
+Riveteers Charm
+Riveteers Confluence
+Riveteers Decoy
+Riveteers Initiate
+Riveteers Overlook
+Riveteers Provocateur
+Riveteers Requisitioner
+Rix Maadi, Dungeon Palace
+Rix Maadi Guildmage
+Rix Maadi Reveler
+RMS Titanic
+Road
+Road of Return
+Roadside Reliquary
+Roalesk, Apex Hybrid
+Roalesk, Prime Specimen
+Roaming Ghostlight
+Roaming Throne
+Roaring Earth
+Roaring Primadox
+Roaring Slagwurm
+Roar of Reclamation
+Roar of Resistance
+Roar of the Fifth People
+Roar of the Wurm
+Roast
+Robaran Mercenaries
+Robber Fly
+Robber of the Rich
+Robe of Mirrors
+Robe of Stars
+Robe of the Archmagi
+Robobrain War Mind
+Robot Chicken
+Rob the Archives
+Rob the Hoard
+Roc Charger
+Rocco, Cabaretti Caterer
+Rocco, Street Chef
+Roc Egg
+Roc Hatchling
+Roc Hunter
+Rock Badger
+Rock Basilisk
+Rockcaster Platoon
+Rockface Village
+Rockfall Vale
+Rock Jockey
+Rock Lobster
+Rockshard Elemental
+Rock Slide
+Rockslide Ambush
+Rockslide Elemental
+Rockslide Sorcerer
+Rocky Tar Pit
+Roc of Kher Ridges
+Rodeo Pyromancers
+Rod of Absorption
+Rod of Ruin
+Rodolf Duskbringer
+Rofellos
+Rofellos, Llanowar Emissary
+Rograkh, Son of Rohgahh
+Rogue Class
+Rogue Elephant
+Rogue Kavu
+Rogue Refiner
+Rogues' Gallery
+Rogue's Gloves
+Rogue's Passage
+Rohgahh, Kher Keep Overlord
+Rohgahh of Kher Keep
+Rohirrim Chargers
+Rohirrim Lancer
+Roil Cartographer
+Roil Elemental
+Roil Eruption
+Roiling Regrowth
+Roiling Terrain
+Roiling Vortex
+Roiling Waters
+Roil Spout
+Roil's Retribution
+Roller Coaster
+Rolling Earthquake
+Rolling Hamsphere
+Rolling Spoil
+Rolling Stones
+Rolling Temblor
+Rolling Thunder
+Romana II
+Rona, Disciple of Gix
+Rona, Herald of Invasion
+Rona, Sheoldred's Faithful
+Rona's Vortex
+Rona, Tolarian Obliterator
+Ronin Cavekeeper
+Ronin Cliffrider
+Ronin Houndmaster
+Ronin Warclub
+Ronom Hulk
+Ronom Serpent
+Ronom Unicorn
+Roofstalker Wight
+Rooftop Assassin
+Rooftop Bypass
+Rooftop Nuisance
+Rooftop Saboteurs
+Rooftop Storm
+Rookie Mistake
+Roon of the Hidden Realm
+Roost of Drakes
+Rootborn Defenses
+Rootbound Crag
+Rootbreaker Wurm
+Root Cage
+Rootcast Apprenticeship
+Rootcoil Creeper
+Root Elemental
+Rootgrapple
+Rootha, Mercurial Artist
+Rooting Kavu
+Rooting Moloch
+Root-Kin Ally
+Rootless Yew
+Root Maze
+Root Out
+Rootpath Purifier
+Rootrider Faun
+Roots
+Root Sliver
+Root Snare
+Roots of All Evil
+Roots of Life
+Roots of Wisdom
+Root Spider
+Rootwalla
+Rootwater Alligator
+Rootwater Commando
+Rootwater Depths
+Rootwater Diver
+Rootwater Hunter
+Rootwater Matriarch
+Rootwater Shaman
+Rootwater Thief
+Rootweaver Druid
+Rootwire Amalgam
+Rope
+Rope Line Attendant
+Rorix Bladewing
+Rory Williams
+Rosecot Knight
+Rose, Cutthroat Raider
+Rosemane Centaur
+Rose Noble
+Rose Room Treasurer
+Rosethorn Acolyte
+Rosethorn Halberd
+Rose Tyler
+Roshan, Hidden Magister
+Rosheen Meanderer
+Rosheen, Roaring Prophet
+Rosie Cotton of South Lane
+Rosnakht, Heir of Rohgahh
+Rotating Fireplace
+Rotcrown Ghoul
+Roterothopter
+Rot Farm Mortipede
+Rot Farm Skeleton
+Rotfeaster Maggot
+Rothga, Bonded Engulfer
+Rot Hulk
+Rotisserie Elemental
+Rotlung Reanimator
+Rot Shambler
+Rotted Hulk
+Rotted Hystrix
+Rotted Ones, Lay Siege
+Rottenheart Ghoul
+Rottenmouth Viper
+Rotten Reunion
+Rot-Tide Gargantua
+Rotting Fensnake
+Rotting Legion
+Rotting Mastodon
+Rotting Rats
+Rotting Regisaur
+Rotwidow Pack
+Rot Wolf
+Rough
+Roughshod Duo
+Roughshod Mentor
+Rouse the Mob
+Rousing of Souls
+Rousing Read
+Rousing Refrain
+Rout
+Roving Harper
+Roving Keep
+Rowan, Fearless Sparkmage
+Rowan Kenrith
+Rowan's Battleguard
+Rowan, Scholar of Sparks
+Rowan, Scion of War
+Rowan's Grim Search
+Rowan's Stalwarts
+Rowan's Talent
+Rowan Treefolk
+Rowdy Crew
+Rowdy Research
+Rowen
+Roxanne, Starfall Savant
+Royal Assassin
+Royal Assassin Avatar
+Royal Decree
+Royal Falcon
+Royal Herbalist
+Royal Treatment
+Royal Trooper
+Royal Warden
+Rubble
+Rubbleback Rhino
+Rubblebelt Boar
+Rubblebelt Braggart
+Rubblebelt Maaka
+Rubblebelt Maverick
+Rubblebelt Raiders
+Rubblebelt Recluse
+Rubblebelt Rioters
+Rubblebelt Runner
+Rubblehulk
+Rubble Reading
+Rubble Slinger
+Rubinia Soulsinger
+Ruby Collector
+Ruby, Daring Tracker
+Ruby Leech
+Ruby Medallion
+Rugged Highlands
+Ruham Djinn
+Ruhan of the Fomori
+Ruin
+Ruination
+Ruination Guide
+Ruination Rioter
+Ruination Wurm
+Ruin Crab
+Ruin Ghost
+Ruin Grinder
+Ruin in Their Wake
+Ruin-Lurker Bat
+Ruinous Gremlin
+Ruinous Intrusion
+Ruinous Minotaur
+Ruinous Path
+Ruinous Ultimatum
+Ruin Processor
+Ruin Raider
+Ruin Rat
+Ruins of Oran-Rief
+Ruins Recluse
+Rukarumel, Biologist
+Rukh Egg
+Rule of Law
+Rulik Mons, Warren Chief
+Rumbleweed
+Rumbling Aftershocks
+Rumbling Baloth
+Rumbling Rockslide
+Rumbling Ruin
+Rumbling Sentry
+Rumbling Slum
+Rumbling Slum Avatar
+Rummaging Goblin
+Rumor Gatherer
+Run
+Runadi, Behemoth Caller
+Run Afoul
+Run Aground
+Run Amok
+Run Ashore
+Runaway Boulder
+Runaway Carriage
+Runaway Growth
+Runaway Steam-Kin
+Runaway Trash-Bot
+Rundvelt Hordemaster
+Runeboggle
+Runebound Wolf
+Rune-Brand Juggler
+Runecarved Obelisk
+Rune-Cervin Rider
+Runechanter's Pike
+Runeclaw Bear
+Runed Arch
+Runed Crown
+Runed Servitor
+Runed Stalactite
+Runeflare Trap
+Runeforge Champion
+Runehorn Hellkite
+Rune of Flight
+Rune of Might
+Rune of Mortality
+Rune of Speed
+Rune of Sustenance
+Rune-Scarred Demon
+Rune Snag
+Runes of the Deus
+Runesword
+Rune-Tail, Kitsune Ascendant
+Rune-Tail's Essence
+Runewing
+Run for Your Life
+Runic Armasaur
+Runic Repetition
+Runic Shot
+Runner's Bane
+Runo Stromkirk
+Run Out of Town
+Run Wild
+Rupture Spire
+Rural Recruit
+Rushblade Commander
+Rushed Rebirth
+Rushing River
+Rushing-Tide Zubera
+Rush of Adrenaline
+Rush of Battle
+Rush of Blood
+Rush of Dread
+Rush of Ice
+Rush of Inspiration
+Rush of Knowledge
+Rush of Vitality
+Rush the Room
+Rushwood Dryad
+Rushwood Elemental
+Rushwood Grove
+Rushwood Legate
+Rusko, Clockmaker
+Russet Wolves
+Rusted Relic
+Rusted Sentinel
+Rusted Slasher
+Rust Elemental
+Rust Goliath
+Rustic Clachan
+Rusting Golem
+Rustler Rampage
+Rust Monster
+Rustmouth Ogre
+Rustrazor Butcher
+Rust Scarab
+Rust-Shield Rampager
+Rustspore Ram
+Rust Tick
+Rustvale Bridge
+Rustvine Cultivator
+Rustwing Falcon
+Ruthless Cullblade
+Ruthless Deathfang
+Ruthless Instincts
+Ruthless Knave
+Ruthless Lawbringer
+Ruthless Negotiation
+Ruthless Predation
+Ruthless Radrat
+Ruthless Ripper
+Ruthless Sniper
+Ruthless Technomancer
+Ruthless Winnower
+Ruxa, Patient Professor
+Ryan Sinclair
+Rysorian Badger
+Ryusei, the Falling Star
+Ryu, World Warrior
+Saber Ants
+Saberclaw Golem
+Sabertooth Alley Cat
+Sabertooth Cobra
+Sabertooth Mauler
+Sabertooth Nishoba
+Sabertooth Outrider
+Sabertooth Wyvern
+Sabretooth Tiger
+Sacellum Archers
+Sachi, Daughter of Seshiro
+Sacred Armory
+Sacred Boon
+Sacred Cat
+Sacred Excavation
+Sacred Fire
+Sacred Foundry
+Sacred Ground
+Sacred Guide
+Sacred Knight
+Sacred Nectar
+Sacred Peaks
+Sacred Prey
+Sacred White Deer
+Sacred Wolf
+Saddleback Lagac
+Saddled Rimestag
+Saddle of the Cavalier
+Sadistic Augermage
+Sadistic Glee
+Sadistic Hypnotist
+Sadistic Obsession
+Sadistic Sacrament
+Sadistic Skymarcher
+Safana, Calimport Cutthroat
+Safeguard
+Safehold Duo
+Safehold Elite
+Safehold Sentry
+Safe Passage
+Safewright Quest
+Sage Aven
+Sage-Eye Avengers
+Sage-Eye Harrier
+Sage of Days
+Sage of Epityr
+Sage of Fables
+Sage of Lat-Nam
+Sage of Mysteries
+Sage of Shaila's Claim
+Sage of the Beyond
+Sage of the Falls
+Sage of the Inward Eye
+Sage of the Maze
+Sage of the Unknowable
+Sage Owl
+Sage's Dousing
+Sage's Knowledge
+Sages of the Anima
+Sage's Reverie
+Sage's Row Denizen
+Sage's Row Savant
+Sagittars' Volley
+Sagu Archer
+Sagu Mauler
+Saheeli, Filigree Master
+Saheeli Rai
+Saheeli's Artistry
+Saheeli's Directive
+Saheeli's Silverwing
+Saheeli, Sublime Artificer
+Saheeli, the Gifted
+Saheeli, the Sun's Brilliance
+Saiba Cryptomancer
+Saiba Syphoner
+Saiba Trespassers
+Said
+Sail into the West
+Sailmonger
+Sailor of Means
+Sailors' Bane
+Sai, Master Thopterist
+Saint Elenda
+Saint Traft and Rem Karolus
+Sai of the Shinobi
+Saji's Torrent
+Sakashima of a Thousand Faces
+Sakashima's Protege
+Sakashima's Student
+Sakashima's Will
+Sakashima the Impostor
+Sakashima the Impostor Avatar
+Sakiko, Mother of Summer
+Sakura-Tribe Elder
+Sakura-Tribe Scout
+Sakura-Tribe Springcaller
+Salivating Gremlins
+Sally Sparrow
+Saltblast
+Saltfield Recluse
+Salt Flats
+Salt Marsh
+Salt Road Ambushers
+Salt Road Patrol
+Salt Road Quartermasters
+Saltskitter
+Saltwater Stalwart
+Salvage
+Salvaged Manaworker
+Salvage Drone
+Salvager of Ruin
+Salvager of Secrets
+Salvage Scout
+Salvage Scuttler
+Salvage Slasher
+Salvage Titan
+Salvaging Station
+Salvation Colossus
+Salvation Swan
+Samite Alchemist
+Samite Archer
+Samite Blessing
+Samite Healer
+Samite Herbalist
+Samite Ministration
+Samite Pilgrim
+Samite Sanctuary
+Sam, Loyal Attendant
+Sample Collector
+Sam's Desperate Rescue
+Samurai Enforcers
+Samurai of the Pale Curtain
+Samut's Sprint
+Samut, the Tested
+Samut, Tyrant Smasher
+Samut, Vizier of Naktamun
+Samut, Voice of Dissent
+Samwise Gamgee
+Samwise the Stouthearted
+Sanctified Charge
+Sanctifier en-Vec
+Sanctifier of Souls
+Sanctify
+Sanctimony
+Sanctuary Blade
+Sanctuary Cat
+Sanctuary Lockdown
+Sanctuary Raptor
+Sanctuary Smasher
+Sanctuary Wall
+Sanctuary Warden
+Sanctum Custodian
+Sanctum Gargoyle
+Sanctum of All
+Sanctum of Calm Waters
+Sanctum of Fruitful Harvest
+Sanctum of Serra
+Sanctum of Shattered Heights
+Sanctum of Stone Fangs
+Sanctum of the Sun
+Sanctum of Tranquil Light
+Sanctum of Ugin
+Sanctum Plowbeast
+Sanctum Seeker
+Sanctum Spirit
+Sanctum Weaver
+Sandals of Abdallah
+Sand Augury
+Sandbar Crocodile
+Sandbar Merfolk
+Sandbar Serpent
+Sandblast
+Sandcrafter Mage
+Sand Golem
+Sand Scout
+Sandskin
+Sands of Delirium
+Sands of Time
+Sandstalker Moloch
+Sandsteppe Citadel
+Sandsteppe Mastodon
+Sandsteppe Outcast
+Sandsteppe Scavenger
+Sandsteppe War Riders
+Sandstone Bridge
+Sandstone Oracle
+Sandstone Warrior
+Sandstorm
+Sandstorm Charger
+Sandstorm Salvager
+Sandstorm Verge
+Sand Strangler
+Sandswirl Wanderglyph
+Sandwurm Convergence
+Sangrite Backlash
+Sangrite Surge
+Sangromancer
+Sangrophage
+Sanguinary Mage
+Sanguinary Priest
+Sanguine Bond
+Sanguine Brushstroke
+Sanguine Evangelist
+Sanguine Glorifier
+Sanguine Guard
+Sanguine Indulgence
+Sanguine Morass
+Sanguine Sacrament
+Sanguine Savior
+Sanguine Spy
+Sanguine Statuette
+Sanitarium Skeleton
+Sanitation Automaton
+Sanity Gnawers
+Sanity Grinding
+Sanwell, Avenger Ace
+Sapling of Colfenor
+Sapphire Collector
+Sapphire Dragon
+Sapphire Drake
+Sapphire Leech
+Sapphire Medallion
+Saprazzan Bailiff
+Saprazzan Breaker
+Saprazzan Cove
+Saprazzan Heir
+Saprazzan Legate
+Saprazzan Raider
+Saproling Infestation
+Saproling Migration
+Saproling Symbiosis
+Sapseep Forest
+Sap Vitality
+Saradoc, Master of Buckland
+Sarah Jane Smith
+Sarah's Wings
+Sarcatog
+Sarcomancy
+Sarcomite Myr
+Sardian Avenger
+Sardian Cliffstomper
+Sarevok, Deadly Usurper
+Sarevok, Deathbringer
+Sarevok, Deceitful Usurper
+Sarevok, Divine Usurper
+Sarevok, Ferocious Usurper
+Sarevok, Mighty Usurper
+Sarevok's Tome
+Sarevok the Usurper
+Sarinth Greatwurm
+Sarinth Steelseeker
+Sarkhan, Dragonsoul
+Sarkhan, Fireblood
+Sarkhan's Catharsis
+Sarkhan's Dragonfire
+Sarkhan, Soul Aflame
+Sarkhan's Rage
+Sarkhan's Scorn
+Sarkhan's Triumph
+Sarkhan's Unsealing
+Sarkhan's Whelp
+Sarkhan, the Dragonspeaker
+Sarkhan the Mad
+Sarkhan the Masterless
+Sarkhan Unbroken
+Sarkhan Vol
+Sarkhan, Wanderer to Shiv
+Sarpadian Empires, Vol. VII
+Sarpadian Simulacrum
+Sarulf's Packmate
+Saruli Caretaker
+Saruli Gatekeepers
+Saruman of Many Colors
+Saruman's Trickery
+Saruman the White
+Saruman, the White Hand
+Saryth, the Viper's Fang
+Sasaya, Orochi Ascendant
+Sasaya's Essence
+Saskia the Unyielding
+Satoru, the Infiltrator
+Satoru Umezawa
+Satsuki, the Living Lore
+Satya, Aetherflux Genius
+Satyr Enchanter
+Satyr Firedancer
+Satyr Grovedancer
+Satyr Hedonist
+Satyr Hoplite
+Satyr Nyx-Smith
+Satyr Rambler
+Satyr's Cunning
+Satyr Wayfinder
+Sauroform Hybrid
+Sauron, Lord of the Rings
+Sauron's Ransom
+Sauron, the Dark Lord
+Sauron, the Lidless Eye
+Sauron, the Necromancer
+Sautekh Immortal
+Savaen Elves
+Savage Alliance
+Savageborn Hydra
+Savage Conception
+Savage Gorger
+Savage Gorilla
+Savage Hunger
+Savage Knuckleblade
+Savage Lands
+Savage Offensive
+Savage Order
+Savage Packmate
+Savage Punch
+Savage Silhouette
+Savage Smash
+Savage Stomp
+Savage Surge
+Savage Swipe
+Savage Thallid
+Savage Twister
+Savage Ventmaw
+Savai Crystal
+Savai Sabertooth
+Savai Thundermane
+Savai Triome
+Savannah
+Savannah Lions
+Savannah Sage
+Saving Grace
+Saving Grasp
+Savior of Ollenbock
+Savior of the Sleeping
+Savor
+Savor the Moment
+Savra, Queen of the Golgari
+Savvy Hunter
+Savvy Trader
+Sawback Manticore
+Sawblade Scamp
+Sawblade Slinger
+Sawhorn Nemesis
+Saw in Half
+Saw It Coming
+Sawtooth Ogre
+Sawtooth Thresher
+Sawtusk Demolisher
+Sazacap's Brew
+Scab-Clan Berserker
+Scab-Clan Charger
+Scab-Clan Mauler
+Scabland
+Scald
+Scalding Cauldron
+Scalding Devil
+Scalding Salamander
+Scalding Tarn
+Scalding Tongs
+Scalding Viper
+Scaldkin
+Scalebane's Elite
+Scale Blessing
+Scaled Behemoth
+Scaled Destruction
+Scale Deflection
+Scaled Herbalist
+Scaled Hulk
+Scaled Nurturer
+Scaled Wurm
+Scaleguard Sentinels
+Scalelord Reckoner
+Scale of Chiss-Goria
+Scales of Shale
+Scalesoul Gnome
+Scalespeaker Shepherd
+Scalestorm Summoner
+Scale the Heights
+Scale Up
+Scalpelexis
+Scampering Scorcher
+Scampering Surveyor
+Scandalmonger
+Scan the Clouds
+Scar
+Scarab Feast
+Scarblade Elite
+Scarecrone
+Scarecrow Guide
+Scare Tactics
+Scaretiller
+Scarland Thrinax
+Scarmaker
+Scarred Puma
+Scarred Vinebreeder
+Scarscale Ritual
+Scars of the Veteran
+Scarwood Goblins
+Scarwood Hag
+Scarwood Treefolk
+Scathe Zombies
+Scatter Arc
+Scattered Groves
+Scattered Thoughts
+Scattering Stroke
+Scatter Ray
+Scattershot
+Scattershot Archer
+Scatter the Seeds
+Scatter to the Winds
+Scavenged Blade
+Scavenged Brawler
+Scavenged Weaponry
+Scavenger Drake
+Scavenger Folk
+Scavenger Grounds
+Scavenger's Talent
+Scavenging Ghoul
+Scavenging Harpy
+Scavenging Ooze
+Scavenging Scarab
+Scene of the Crime
+Scepter of Celebration
+Scepter of Dominance
+Scepter of Empires
+Scepter of Fugue
+Scepter of Insight
+Sceptre of Eternal Glory
+Schema Thief
+Scheming Aspirant
+Scheming Fence
+Schismotivate
+Scholar of Athreos
+Scholar of New Horizons
+Scholar of Stars
+Scholar of the Ages
+Scholar of the Lost Trove
+Scholarship Sponsor
+School of Piranha
+Scion of Calamity
+Scion of Darkness
+Scion of Draco
+Scion of Glaciers
+Scion of Halaster
+Scion of Oona
+Scion of Opulence
+Scion of Shiv
+Scion of Stygia
+Scion of the Swarm
+Scion of the Ur-Dragon
+Scion of the Wild
+Scion of Ugin
+Scion of Vitu-Ghazi
+Scion Summoner
+Scissors Lizard
+Scorched Earth
+Scorched Ruins
+Scorched Rusalka
+Scorching Dragonfire
+Scorching Lava
+Scorching Missile
+Scorching Shot
+Scorching Spear
+Scorching Winds
+Scorchmark
+Scorch Rider
+Scorch Spitter
+Scorch the Fields
+Scorchwalker
+Scoria Cat
+Scoria Elemental
+Scoria Wurm
+Scorn-Blade Berserker
+Scorned Villager
+Scorn Effigy
+Scornful Aether-Lich
+Scornful Egotist
+Scour
+Scour All Possibilities
+Scoured Barrens
+Scour from Existence
+Scourge Devil
+Scourgemark
+Scourge of Fleets
+Scourge of Geier Reach
+Scourge of Kher Ridges
+Scourge of Nel Toth
+Scourge of Numai
+Scourge of the Nobilis
+Scourge of the Skyclaves
+Scourge of the Throne
+Scourge of Valkas
+Scourge Servant
+Scourge Wolf
+Scourglass
+Scouring Sands
+Scour the Desert
+Scour the Laboratory
+Scour the Scene
+Scouting Hawk
+Scout the Borders
+Scout the Wilderness
+Scrabbling Claws
+Scragnoth
+Scrap
+Scrapbasket
+Scrapdiver Serpent
+Scrapheap
+Scrapheap Scrounger
+Scrapper Champion
+Scrappy Bruiser
+Scrapshooter
+Scrapskin Drake
+Scrap Trawler
+Scrap Welder
+Scrapwork Cohort
+Scrapwork Mutt
+Scrapwork Rager
+Scrapyard Mongrel
+Scrapyard Recombiner
+Scrapyard Salvo
+Scrapyard Steelbreaker
+Screamer-Killer
+Screaming Fury
+Screaming Nemesis
+Screaming Phantom
+Screaming Seahawk
+Screaming Shield
+Screaming Swarm
+Scream Puff
+Screamreach Brawler
+Screams from Within
+Screams of the Damned
+Screeching Bat
+Screeching Buzzard
+Screeching Drake
+Screeching Griffin
+Screeching Harpy
+Screeching Phoenix
+Screeching Scorchbeast
+Screeching Silcaw
+Screeching Skaab
+Screeching Sliver
+Scribe of the Mindful
+Scrib Nibblers
+Scrivener
+Scroll of Avacyn
+Scroll of Fate
+Scroll of Griselbrand
+Scroll of Isildur
+Scroll of Origins
+Scroll of the Masters
+Scrollshift
+Scroll Thief
+Scrounge
+Scrounged Scythe
+Scrounger of Souls
+Scrubland
+Scrutiny of the Guildpact
+Scryb Sprites
+Sculpted Perfection
+Sculpted Sunburst
+Sculpting Steel
+Sculptor of Winter
+Scurrid Colony
+Scurrilous Sentry
+Scurry Oak
+Scurry of Gremlins
+Scurry of Squirrels
+Scute Mob
+Scute Swarm
+Scuttlegator
+Scuttlemutt
+Scuttletide
+Scuttling Butler
+Scuttling Doom Engine
+Scuttling Sentinel
+Scuttling Sliver
+Scuzzback Marauders
+Scuzzback Scrapper
+Scytheclaw
+Scytheclaw Raptor
+Scythe Leopard
+Scythe of the Wretched
+Scythe Specter
+Scythe Tiger
+Seachrome Coast
+Seacoast Drake
+Sea-Dasher Octopus
+Sea Drake
+Sea Eagle
+Seafarer's Quay
+Seafaring Werewolf
+Seafloor Debris
+Seafloor Oracle
+Seafloor Stalker
+Sea Gate
+Sea Gate Banneret
+Sea Gate Colossus
+Sea Gate Loremaster
+Sea Gate Oracle
+Sea Gate, Reborn
+Sea Gate Restoration
+Sea Gate Stormcaller
+Sea Gate Wreckage
+Sea God's Revenge
+Sea God's Scorn
+Seagraf Skaab
+Sea Hag
+Seahunter
+Seal Away
+Sea Legs
+Seal from Existence
+Sealock Monster
+Seal of Cleansing
+Seal of Doom
+Seal of Fire
+Seal of Primordium
+Seal of Removal
+Seal of Strength
+Seal of the Guildpact
+Sea Monster
+Sea of Clouds
+Sea of Sand
+Search for Azcanta
+Search for Blex
+Search for Glory
+Search for Tomorrow
+Searchlight Companion
+Searchlight Geist
+Search Party Captain
+Search the City
+Search the Premises
+Searing Barb
+Searing Barrage
+Searing Blaze
+Searing Blood
+Searing Flesh
+Searing Light
+Searing Meditation
+Searing Spear
+Searing Touch
+Searing Wind
+Searstep Pathway
+Seascape Aerialist
+Sea's Claim
+Sea Serpent
+Seashell Cameo
+Seaside Citadel
+Seaside Haven
+Seasinger
+Seasonal Ritual
+Seasoned Buttoneer
+Seasoned Cathar
+Seasoned Consultant
+Seasoned Dungeoneer
+Seasoned Hallowblade
+Seasoned Marshal
+Seasoned Pyromancer
+Seasoned Tactician
+Seasoned Warrenguard
+Season of Gathering
+Season of Growth
+Season of Loss
+Season of Renewal
+Season of the Bold
+Season of the Burrow
+Season of the Witch
+Season of Weaving
+Season's Beatings
+Seasons Past
+Sea Spirit
+Sea Sprite
+Seat of the Synod
+Seatower Imprisonment
+Sea Troll
+Secluded Courtyard
+Secluded Glen
+Secluded Steppe
+Second Breakfast
+Second Chance
+Second Guess
+Second Harvest
+Second Little Pig
+Second Sight
+Second Sunrise
+Second Thoughts
+Secret Door
+Secretkeeper
+Secret Passage
+Secret Plans
+Secret Rendezvous
+Secret Salvage
+Secrets of Paradise
+Secrets of the Dead
+Secrets of the Golden City
+Secrets of the Key
+Secret Summoning
+Secure the Scene
+Secure the Wastes
+Securitron Squadron
+Security Blockade
+Security Bypass
+Security Detail
+Security Rhox
+Sedgemoor Witch
+Sedge Scorpion
+Sedge Sliver
+Sedge Troll
+Sedraxis Alchemist
+Sedraxis Specter
+Sedris, the Traitor King
+Seedborn Muse
+Seedcradle Witch
+Seedglaive Mentor
+Seed Guardian
+Seedguide Ash
+Seed of Hope
+See Double
+Seedpod Caretaker
+Seedpod Squire
+Seeds of Renewal
+Seeds of Strength
+Seed Spark
+Seed the Land
+Seek
+Seeker
+Seeker of Insight
+Seeker of Skybreak
+Seeker of Slaanesh
+Seeker of Sunlight
+Seeker of the Way
+Seekers' Squire
+Seek New Knowledge
+Seek the Beast
+Seek the Horizon
+Seek the Wilds
+Seek Thrills
+See Red
+Seer of Stolen Sight
+Seer of the Last Tomorrow
+Seer's Lantern
+Seer's Sundial
+Seer's Vision
+See the Truth
+See the Unwritten
+Seething Anger
+Seething Landscape
+Seething Pathblazer
+Seething Skitter-Priest
+Seething Song
+Sefris of the Hidden Ways
+Segmented Krotiq
+Segovian Angel
+Segovian Leviathan
+Seht's Tiger
+Seismic Assault
+Seismic Elemental
+Seismic Mage
+Seismic Monstrosaur
+Seismic Rupture
+Seismic Shift
+Seismic Shudder
+Seismic Spike
+Seismic Strike
+Seismic Wave
+Seizan, Perverter of Truth
+Seize the Day
+Seize the Initiative
+Seize the Secrets
+Seize the Soul
+Seize the Spoils
+Seize the Spotlight
+Seize the Storm
+Seizures
+Sejiri Glacier
+Sejiri Merfolk
+Sejiri Refuge
+Sejiri Shelter
+Sejiri Steppe
+Sekki, Seasons' Guide
+Sek'Kuar, Deathkeeper
+Select for Inspection
+Selective Adaptation
+Selective Memory
+Selective Snare
+Selenia
+Selenia, Dark Angel
+Selesnya Charm
+Selesnya Cluestone
+Selesnya Evangel
+Selesnya Guildgate
+Selesnya Guildmage
+Selesnya Keyrune
+Selesnya Locket
+Selesnya Loft Gardens
+Selesnya Sagittars
+Selesnya Sanctuary
+Selesnya Sentry
+Self-Assembler
+Self-Inflicted Wound
+Selfless Glyphweaver
+Selfless Samurai
+Selfless Savior
+Selfless Spirit
+Selfless Squire
+Self-Reflection
+Selhoff Entomber
+Selhoff Occultist
+Selkie Hedge-Mage
+Seller of Songbirds
+Sell-Sword Brute
+Selvala, Eager Trailblazer
+Selvala, Heart of the Wilds
+Selvala's Charge
+Selvala's Enforcer
+Selvala's Stampede
+Semblance Anvil
+Semblance Scanner
+Semester's End
+Senate Courier
+Senate Griffin
+Senate Guildmage
+Senator Peacock
+Send to Sleep
+Sengir Autocrat
+Sengir Bats
+Sengir Connoisseur
+Sengir, the Dark Baron
+Sengir Vampire
+Sensation Gorger
+Sensei Golden-Tail
+Sensei's Divining Top
+Senseless Rage
+Sensor Splicer
+Sensory Deprivation
+Sentinel Dispatch
+Sentinel of Lost Lore
+Sentinel of the Eternal Watch
+Sentinel of the Nameless City
+Sentinel of the Pearl Trident
+Sentinel Sarah Lyons
+Sentinel's Eyes
+Sentinel Sliver
+Sentinel's Mark
+Sentinels of Glen Elendra
+Sentinel Spider
+Sentinel Totem
+Sentinel Tower
+Sen Triplets
+Sentry Bot
+Sentry Oak
+Sentry of the Underworld
+Senu, Keen-Eyed Protector
+Separatist Voidmage
+Sephara, Sky's Blade
+Septic Rats
+Sepulcher Ghoul
+Sepulchral Primordial
+Sequence Engine
+Sequestered Stash
+Seraph
+Seraphic Greatsword
+Seraphic Steed
+Seraph of Dawn
+Seraph of New Capenna
+Seraph of New Phyrexia
+Seraph of the Masses
+Seraph of the Scales
+Seraph of the Suns
+Seraph of the Sword
+Seraph Sanctuary
+Serendib Efreet
+Serendib Sorcerer
+Serene Heart
+Serene Offering
+Serene Remembrance
+Serene Sleuth
+Serene Steward
+Serenity
+Sergeant-at-Arms
+Sergeant John Benton
+Serpent Assassin
+Serpent-Blade Assailant
+Serpent Generator
+Serpentine Ambush
+Serpentine Basilisk
+Serpentine Curve
+Serpentine Kavu
+Serpentine Spike
+Serpent of the Endless Sea
+Serpent of Yawning Depths
+Serpent's Gift
+Serpent Skin
+Serpent's Soul-Jar
+Serpent Warrior
+Serra
+Serra Advocate
+Serra Angel
+Serra Angel Avatar
+Serra Ascendant
+Serra Avatar
+Serra Avenger
+Serra Aviary
+Serra Bestiary
+Serra Disciple
+Serra Faithkeeper
+Serra Inquisitors
+Serra Paladin
+Serra Paragon
+Serra Redeemer
+Serra's Blessing
+Serra's Boon
+Serra's Embrace
+Serra's Emissary
+Serra's Guardian
+Serra's Liturgy
+Serra Sphinx
+Serra's Sanctum
+Serrated Arrows
+Serrated Biskelion
+Serrated Scorpion
+Serra the Benevolent
+Serra Zealot
+Serum-Core Chimera
+Serum Raker
+Serum Snare
+Serum Sovereign
+Serum Tank
+Serum Visionary
+Serum Visions
+Servant of Nefarox
+Servant of the Conduit
+Servant of the Scale
+Servant of the Stinger
+Servant of Tymaret
+Servant of Volrath
+Serve
+Servo Exhibition
+Servo Schematic
+Seshiro's Living Legacy
+Seshiro the Anointed
+Seshiro the Anointed Avatar
+Set Adrift
+Setessan Battle Priest
+Setessan Champion
+Setessan Griffin
+Setessan Oathsworn
+Setessan Petitioner
+Setessan Skirmisher
+Setessan Starbreaker
+Setessan Training
+Sethron, Hurloon General
+Seton, Krosan Protector
+Seton's Desire
+Seton's Scout
+Settle Beyond Reality
+Settlement Blacksmith
+Settle the Score
+Settle the Wilds
+Settle the Wreckage
+Seven Dwarves
+Seven-Tail Mentor
+Severed Legion
+Severed Strands
+Sever Soul
+Sever the Bloodline
+Sevinne's Reclamation
+Sevinne, the Chronoclasm
+Sewer Crocodile
+Sewer Nemesis
+Sewer Plague
+Sewer Rats
+Sewer Shambler
+Sewn-Eye Drake
+Shabraz, the Skyshark
+Shacklegeist
+Shackles
+Shackle Slinger
+Shackles of Treachery
+Shade of Trokair
+Shade's Form
+Shadewing Laureate
+Shadow Alley Denizen
+Shadowbane
+Shadowbeast Sighting
+Shadowborn Apostle
+Shadowborn Demon
+Shadowcloak Vampire
+Shadowed Caravel
+Shadowfax, Lord of Horses
+Shadowfeed
+Shadow Glider
+Shadowgrange Archfiend
+Shadow Guildmage
+Shadowheart, Cleric of Graves
+Shadowheart, Cleric of Order
+Shadowheart, Cleric of Trickery
+Shadowheart, Cleric of Twilight
+Shadowheart, Cleric of War
+Shadowheart, Dark Justiciar
+Shadowheart, Sharran Cleric
+Shadow in the Warp
+Shadow Kin
+Shadow Lance
+Shadowmage Infiltrator
+Shadow of Mortality
+Shadow of the Enemy
+Shadow of the Grave
+Shadow of the Second Sun
+Shadow Prophecy
+Shadow Puppeteers
+Shadow Rider
+Shadow Rift
+Shadow-Rite Priest
+Shadows' Lair
+Shadow Slice
+Shadow Sliver
+Shadows of the Past
+Shadowspear
+Shadow Stinger
+Shadowstorm
+Shadowstorm Vizier
+Shadow Summoning
+Shadows' Verdict
+Shadowy Backstreet
+Shadrix Silverquill
+Shady Informant
+Shady Traveler
+Shaggy Camel
+Shagrat, Loot Bearer
+Shah of Naar Isle
+Shaile, Dean of Radiance
+Shakedown Heavy
+Shake the Foundations
+Shalai and Hallar
+Shalai's Acolyte
+Shalai, Voice of Plenty
+Shaleskin Bruiser
+Shaleskin Plower
+Shallow Grave
+Shamanic Revelation
+Shaman of Forgotten Ways
+Shaman of Spring
+Shaman of the Great Hunt
+Shaman of the Pack
+Shamble Back
+Shambleshark
+Shambling Attendants
+Shambling Ghast
+Shambling Ghoul
+Shambling Goblin
+Shambling Remains
+Shambling Shell
+Shambling Strider
+Shambling Suit
+Shambling Vent
+Shameless Charlatan
+Shanid, Sleepers' Scourge
+Shanna, Purifying Blade
+Shanna, Sisay's Legacy
+Shanodin Dryads
+Shao Jun
+Shape Anew
+Shape of the Wiitigo
+Shaper Apprentice
+Shaper Guildmage
+Shapers of Nature
+Shapers' Sanctuary
+Shapeshifter's Marrow
+Shape Stealer
+Shape the Sands
+Sharae of Numbing Depths
+Shard Convergence
+Sharding Sphinx
+Shardless Agent
+Shard of Broken Glass
+Shard of the Nightbringer
+Shard of the Void Dragon
+Shard Phoenix
+Shard Volley
+Shared Animosity
+Shared Discovery
+Shared Summons
+Shared Triumph
+Share the Spoils
+Sharkey, Tyrant of the Shire
+Sharktocrab
+Shark Typhoon
+Sharpened Pitchfork
+Sharp-Eyed Rookie
+Sharpshooter Elf
+Sharuum the Hegemon
+Shatter
+Shatter Assumptions
+Shattered Angel
+Shattered Dreams
+Shattered Ego
+Shattered Landscape
+Shattered Sanctum
+Shattered Seraph
+Shattergang Brothers
+Shattering Blow
+Shattering Finale
+Shattering Pulse
+Shattering Spree
+Shatterskull Charger
+Shatterskull Giant
+Shatterskull Minotaur
+Shatterskull Recruit
+Shatterskull Smashing
+Shatterskull, the Hammer Pass
+Shatterstorm
+Shatter the Oath
+Shatter the Sky
+Shatter the Source
+Shauku's Minion
+Shaun, Father of Synths
+Shaun & Rebecca, Agents
+Shay Cormac
+Shed Weakness
+Sheer Drop
+Shefet Dunes
+Shefet Monitor
+Shelkin Brownie
+Shelldock Isle
+Shell Shield
+Shell Skulkin
+Shelob, Child of Ungoliant
+Shelob, Dread Weaver
+Shelob's Ambush
+Shelter
+Sheltered Aerie
+Sheltered Thicket
+Sheltered Valley
+Sheltering Boughs
+Sheltering Landscape
+Sheltering Light
+Sheltering Prayers
+Sheltering Word
+Shenanigans
+Sheoldred
+Sheoldred's Assimilator
+Sheoldred's Edict
+Sheoldred's Headcleaver
+Sheoldred's Restoration
+Sheoldred, the Apocalypse
+Sheoldred, Whispering One
+Shepherd of Heroes
+Shepherd of Rot
+Shepherd of the Clouds
+Shepherd of the Cosmos
+Shepherd of the Flock
+Shepherd of the Lost
+Sheriff of Safe Passage
+Shessra, Death's Whisper
+Shichifukujin Dragon
+Shidako, Broodmistress
+Shield Bearer
+Shield Broker
+Shielded Aether Thief
+Shieldhide Dragon
+Shielding Plax
+Shield Mare
+Shield Mate
+Shieldmate's Blessing
+Shield of Duty and Reason
+Shield of Kaldra
+Shield of the Ages
+Shield of the Avatar
+Shield of the Oversoul
+Shield of the Realm
+Shield of the Righteous
+Shield's Might
+Shield Sphere
+Shield-Wall Sentinel
+Shifting Ceratops
+Shifting Grift
+Shifting Shadow
+Shifting Sky
+Shifting Sliver
+Shifting Wall
+Shifting Woodland
+Shigeki, Jukai Visionary
+Shilgengar, Sire of Famine
+Shimian Night Stalker
+Shimian Specter
+Shimmer Dragon
+Shimmerdrift Vale
+Shimmering Barrier
+Shimmering Efreet
+Shimmering Glasskite
+Shimmering Wings
+Shimmer Myr
+Shimmer of Possibility
+Shimmerscale Drake
+Shimmerwing Chimera
+Shinechaser
+Shinen of Fear's Chill
+Shinen of Flight's Wings
+Shinen of Fury's Fire
+Shinen of Stars' Light
+Shineshadow Snarl
+Shinewend
+Shining Aerosaur
+Shining Armor
+Shinka Gatekeeper
+Shinka, the Bloodsoaked Keep
+Shiny Impetus
+Shipbreaker Kraken
+Shipwreck Dowser
+Shipwreck Looter
+Shipwreck Marsh
+Shipwreck Moray
+Shipwreck Sentry
+Shipwreck Sifters
+Shipwreck Singer
+Shirei, Shizo's Caretaker
+Shire Scarecrow
+Shire Shirriff
+Shire Terrace
+Shiv
+Shivan Branch-Burner
+Shivan Devastator
+Shivan Dragon
+Shivan Emissary
+Shivan Fire
+Shivan Gorge
+Shivan Harvest
+Shivan Hellkite
+Shivan Meteor
+Shivan Oasis
+Shivan Phoenix
+Shivan Raptor
+Shivan Reef
+Shivan Sand-Mage
+Shivan Wumpus
+Shivan Wurm
+Shivan Zombie
+Shiv's Embrace
+Shizo, Death's Storehouse
+Shizuko, Caller of Autumn
+Shoal Kraken
+Shoal Serpent
+Shock
+Shocker
+Shocking Grasp
+Shockmaw Dragon
+Shock Troops
+Shoe Tree
+Shoot Down
+Shoot the Sheriff
+Shorecomber Crab
+Shorecrasher Elemental
+Shorecrasher Mimic
+Shore Keeper
+Shoreline Looter
+Shoreline Raider
+Shoreline Ranger
+Shoreline Salvager
+Shoreline Scout
+Shore Snapper
+Shore Up
+Shorikai, Genesis Engine
+Short Bow
+Short Circuit
+Shortcut Seeker
+Shortcut to Mushrooms
+Short Sword
+Shoulder to Shoulder
+Shove Aside
+Show and Tell
+Showdown of the Skalds
+Shower of Arrows
+Shower of Coals
+Shower of Sparks
+Show of Confidence
+Show of Valor
+Showstopping Surprise
+Shrapnel Blast
+Shrapnel Slinger
+Shredded Sails
+Shredding Winds
+Shreds of Sanity
+Shrewd Hatchling
+Shriekdiver
+Shriekgeist
+Shriekhorn
+Shrieking Affliction
+Shrieking Drake
+Shrieking Grotesque
+Shrieking Mogg
+Shrieking Specter
+Shriekmaw
+Shriek of Dread
+Shriek Raptor
+Shrike Force
+Shrike Harpy
+Shrill Howler
+Shrine Keeper
+Shrine of Burning Rage
+Shrine of Loyal Legions
+Shrine of the Forsaken Gods
+Shrine Steward
+Shrink
+Shrivel
+Shrouded Serpent
+Shrouded Shepherd
+Shu Cavalry
+Shu Defender
+Shu Elite Companions
+Shu Elite Infantry
+Shu Farmer
+Shu Foot Soldiers
+Shu General
+Shu Grain Caravan
+Shuko
+Shuriken
+Shu Soldier-Farmers
+Shu Yun, the Silent Tempest
+Shyft
+Siani, Eye of the Storm
+Sibilant Spirit
+Sibling Rivalry
+Sibsig Host
+Sibsig Icebreakers
+Sibsig Muckdraggers
+Sibylline Soothsayer
+Sicarian Infiltrator
+Sick and Tired
+Sicken
+Sickle Dancer
+Sickle Ripper
+Sickleslicer
+Sidar Jabari
+Sidar Jabari of Zhalfir
+Sidar Kondo
+Sidar Kondo of Jamuraa
+Sidewinder Naga
+Sidewinder Sliver
+Sidisi, Brood Tyrant
+Sidisi's Faithful
+Sidisi's Pet
+Sidisi, Undead Vizier
+Siege Behemoth
+Siegebreaker Giant
+Siegecraft
+Siege Dragon
+Siege-Gang Commander
+Siege-Gang Lieutenant
+Siegehorn Ceratops
+Siege Mastodon
+Siege Modification
+Siege of Towers
+Siege Rhino
+Siege Smash
+Siege Striker
+Siege Veteran
+Siege Wurm
+Siege Zombie
+Sierra, Nuka's Biggest Fan
+Sift
+Sifter of Skulls
+Sifter Wurm
+Sift Through Sands
+Sigarda, Champion of Light
+Sigarda, Font of Blessings
+Sigarda, Heron's Grace
+Sigarda, Host of Herons
+Sigarda's Aid
+Sigarda's Imprisonment
+Sigarda's Splendor
+Sigarda's Summons
+Sigarda's Vanguard
+Sigardian Evangel
+Sigardian Paladin
+Sigardian Priest
+Sigardian Savior
+Sigardian Zealot
+Sight Beyond Sight
+Sighted-Caste Sorcerer
+Sightless Brawler
+Sightless Ghoul
+Sight of the Scalelords
+Sigil Blessing
+Sigil Captain
+Sigiled Behemoth
+Sigiled Contender
+Sigiled Paladin
+Sigiled Sentinel
+Sigiled Skink
+Sigiled Starfish
+Sigiled Sword of Valeron
+Sigil of Distinction
+Sigil of Myrkul
+Sigil of Sleep
+Sigil of the Empty Throne
+Sigil of the Nayan Gods
+Sigil of the New Dawn
+Sigil of Valor
+Sigil Tracer
+Signal Pest
+Signature Slam
+Signature Spells
+Sign in Blood
+Sigrid, God-Favored
+Sigurd, Jarl of Ravensthorpe
+Silas Renn, Seeker Adept
+Silburlind Snapper
+Silence
+Silence the Believers
+Silent Arbiter
+Silent Artisan
+Silent Attendant
+Silent-Blade Oni
+Silent-Chant Zubera
+Silent Clearing
+Silent Dart
+Silent Departure
+Silent Extraction
+Silent Gravestone
+Silent Observer
+Silent Sentinel
+Silent Skimmer
+Silent Specter
+Silent Submersible
+Silhana Ledgewalker
+Silhana Starfletcher
+Silhana Wayfinder
+Silhouette
+Silkbind Faerie
+Silkenfist Fighter
+Silkenfist Order
+Silkguard
+Silklash Spider
+Silk Net
+Silkweaver Elite
+Silkwing Scout
+Silkwrap
+Silt Crawler
+Silumgar Assassin
+Silumgar Butcher
+Silumgar Monument
+Silumgar Scavenger
+Silumgar's Command
+Silumgar Spell-Eater
+Silumgar's Scorn
+Silumgar, the Drifting Death
+Silundi Isle
+Silundi Vision
+Silvanus's Invoker
+Silvar, Devourer of the Free
+Silverback Ape
+Silverback Elder
+Silverback Shaman
+Silverbeak Griffin
+Silverblade Paladin
+Silverbluff Bridge
+Silver Bolt
+Silverchase Fox
+Silverclad Ferocidons
+Silverclaw Griffin
+Silvercoat Lion
+Silver Deputy
+Silver Drake
+Silver Erne
+Silverflame Ritual
+Silverflame Squire
+Silver-Fur Master
+Silverfur Partisan
+Silvergill Adept
+Silvergill Douser
+Silverglade Elemental
+Silver-Inlaid Dagger
+Silver Knight
+Silver Myr
+Silverpelt Werewolf
+Silverquill Apprentice
+Silverquill Campus
+Silverquill Command
+Silverquill Lecturer
+Silverquill Pledgemage
+Silverquill Silencer
+Silver Raven
+Silver Scrutiny
+Silver Seraph
+Silver Shroud Costume
+Silverskin Armor
+Silversmote Ghoul
+Silverstorm Samurai
+Silverstrike
+Silverwing Squadron
+Silvos, Rogue Elemental
+Sima Yi, Wei Field Marshal
+Simian Brawler
+Simian Grunts
+Simian Simulacrum
+Simian Sling
+Simian Spirit Guide
+Simic Ascendancy
+Simic Charm
+Simic Cluestone
+Simic Fluxmage
+Simic Growth Chamber
+Simic Guildgate
+Simic Initiate
+Simic Keyrune
+Simic Locket
+Simic Ragworm
+Simic Sky Swallower
+Simon, Wild Magic Sorcerer
+Simoon
+Simple
+Simplify
+Simulacrum Synthesizer
+Sin Collector
+Sindbad
+Sinew Dancer
+Sinew Sliver
+Singe
+Singe-Mind Ogre
+Singer of Swift Rivers
+Singing Bell Strike
+Singing Towers of Darillium
+Sinister Concierge
+Sinister Concoction
+Sinister Monolith
+Sinister Possession
+Sinister Reflections
+Sinister Sabotage
+Sinister Starfish
+Sinister Strength
+Sinister Waltz
+Sinkhole
+Sinking Feeling
+Sink into Stupor
+Sinner's Judgment
+Sin Prodder
+Sinstriker's Will
+Sinuous Benthisaur
+Sinuous Predator
+Sinuous Striker
+Sinuous Vermin
+Siona, Captain of the Pyleas
+Siphon Insight
+Sip of Hemlock
+Siren Lookout
+Siren of the Fanged Coast
+Siren of the Silent Song
+Siren Reaver
+Siren Stormtamer
+Sire of Insanity
+Sire of Stagnation
+Sire of the Storm
+Sirocco
+Sir Shandlar of Eberyn
+Sisay's Ring
+Sisay, Weatherlight Captain
+Sisterhood of Karn
+Sister Hospitaller
+Sister of Silence
+Sister Repentia
+Sisters of Stone Death
+Sisters of Stone Death Avatar
+Sisters of the Flame
+Sivitri, Dragon Master
+Sivitri Scarzam
+Sivriss, Nightmare Speaker
+Six
+Six-Sided Die
+Sixth Sense
+Sizzle
+Sizzling Barrage
+Sizzling Soloist
+Skaab Goliath
+Skaab Ruinator
+Skaab Wrangler
+Skalla Wolf
+Skanos, Black Dragon Vassal
+Skanos, Blue Dragon Vassal
+Skanos Dragonheart
+Skanos, Dragon Vassal
+Skanos, Green Dragon Vassal
+Skanos, Red Dragon Vassal
+Skanos, White Dragon Vassal
+Skarrgan Firebird
+Skarrgan Hellkite
+Skarrgan Pit-Skulk
+Skarrgan Skybreaker
+Skarrg Goliath
+Skarrg Guildmage
+Skarrg, the Rage Pits
+Skatewing Spy
+Skeletal Changeling
+Skeletal Crocodile
+Skeletal Grimace
+Skeletal Kathari
+Skeletal Snake
+Skeletal Swarming
+Skeletal Vampire
+Skeletal Wurm
+Skeleton Archer
+Skeleton Crew
+Skeletonize
+Skeleton Key
+Skeleton Scavengers
+Skeleton Shard
+Skeleton Ship
+Skemfar Avenger
+Skemfar Elderhall
+Skemfar Shadowsage
+Skewer Slinger
+Skewer the Critics
+Skill Borrower
+Skilled Animator
+Skillful Lunge
+Skinbrand Goblin
+Skin Invasion
+Skinrender
+Skin Shedder
+Skinthinner
+Skinwing
+Skirk Commando
+Skirk Drill Sergeant
+Skirk Fire Marshal
+Skirk Marauder
+Skirk Outrider
+Skirk Prospector
+Skirk Ridge Exhumer
+Skirk Shaman
+Skirsdag Cultist
+Skirsdag High Priest
+Skirsdag Supplicant
+Skithiryx, the Blight Dragon
+Skitterbeam Battalion
+Skitter Eel
+Skittering Cicada
+Skittering Crustacean
+Skittering Heartstopper
+Skittering Invasion
+Skittering Precursor
+Skittering Surveyor
+Skitter of Lizards
+Skitterskin
+Skittish Kavu
+Skittish Valesk
+Skizzik
+Skizzik Surger
+Skoa, Embermage
+Skola Grovedancer
+Skophos Maze-Warden
+Skophos Reaver
+Skophos Warleader
+Skorpekh Destroyer
+Skorpekh Lord
+Skred
+Skrelv, Defector Mite
+Skrelv's Hive
+Skulduggery
+Skulking Fugitive
+Skulking Ghost
+Skulking Killer
+Skulking Knight
+Skullbriar, the Walking Grave
+Skullcage
+Skullcap Snail
+Skull Catapult
+Skullclamp
+Skull Collector
+Skullcrack
+Skull Fracture
+Skullknocker Ogre
+Skullmane Baku
+Skullmead Cauldron
+Skullmulcher
+Skull of Orm
+Skull of Ramos
+Skullpiercer Gnat
+Skullport Merchant
+Skull Prophet
+Skull Raid
+Skull Rend
+Skullscorch
+Skull Skaab
+Skullslither Worm
+Skullsnatcher
+Skull Storm
+Skullwinder
+Skybeast Tracker
+Skybind
+Skyblade of the Legion
+Skyblade's Boon
+Sky-Blessed Samurai
+Skyblinder Staff
+Skyboon Evangelist
+Skybreen
+Skybridge Towers
+Skycat Sovereign
+Skyclave Aerialist
+Skyclave Apparition
+Skyclave Basilica
+Skyclave Cleric
+Skyclave Geopede
+Skyclave Invader
+Skyclave Pick-Axe
+Skyclave Plunder
+Skyclave Relic
+Skyclave Sentinel
+Skyclave Shade
+Skyclave Shadowcat
+Skyclave Squid
+Skyclaw Thrash
+Sky Crier
+Sky Diamond
+Sky-Eel School
+Skyfire Kirin
+Skyfire Phoenix
+Skyfisher Spider
+Skygames
+Skyhunter Cub
+Skyhunter Patrol
+Skyhunter Prowler
+Skyhunter Skirmisher
+Skyhunter Strike Force
+Sky Hussar
+Skyknight Legionnaire
+Skyknight Vanguard
+Skylasher
+Skyline Cascade
+Skyline Despot
+Skyline Predator
+Skyline Savior
+Skyline Scout
+Skymarch Bloodletter
+Skymarcher Aspirant
+Skymark Roc
+Skyraker Giant
+Skyreach Manta
+Skyreaping
+Skyrider Elf
+Skyrider Patrol
+Skyrider Trainee
+Sky Ruin Drake
+Skyscanner
+Sky Scourer
+Skyscythe Engulfer
+Skyshaper
+Skyship Stalker
+Skyship Weatherlight
+Skyshooter
+Skyshroud Ambush
+Skyshroud Archer
+Skyshroud Behemoth
+Skyshroud Claim
+Skyshroud Condor
+Skyshroud Cutter
+Skyshroud Elite
+Skyshroud Falcon
+Skyshroud Forest
+Skyshroud Lookout
+Skyshroud Poacher
+Skyshroud Ranger
+Skyshroud Ridgeback
+Skyshroud Sentinel
+Skyshroud Troll
+Skyshroud Troopers
+Skyshroud Vampire
+Skyshroud War Beast
+Sky Skiff
+Skyskipper Duo
+Skysnare Spider
+Skysovereign, Consul Flagship
+Skyspear Cavalry
+Sky Spirit
+Skystreamer
+Skystrike Officer
+Sky Swallower
+Skyswimmer Koi
+Skyswirl Harrier
+Sky Terror
+Sky Tether
+Sky Theater Strix
+Skyward Eye Prophets
+Skywarp Skaab
+Skywatcher Adept
+Skyway Robber
+Skyway Sniper
+Sky Weaver
+Skywhaler's Shot
+Skywinder Drake
+Skywing Aven
+Skywise Teachings
+Skywriter Djinn
+Slab Hammer
+Slag Fiend
+Slagstone Refinery
+Slagstorm
+Slag Strider
+Slagwoods Bridge
+Slagwurm Armor
+Slashing Tiger
+Slash of Talons
+Slash Panther
+Slash the Ranks
+Slate Street Ruffian
+Slaughter
+Slaughter Cry
+Slaughter Drone
+Slaughterhorn
+Slaughterhouse Bouncer
+Slaughter Singer
+Slaughter Specialist
+Slave of Bolas
+Slavering Nulls
+Slay
+Slayer of the Wicked
+Slayer's Bounty
+Slayer's Cleaver
+Slayer's Plate
+Slayers' Stronghold
+Slaying Fire
+Sleek Schooner
+Sleep
+Sleep-Cursed Faerie
+Sleeper Agent
+Sleeper Dart
+Sleeper's Guile
+Sleeper's Robe
+Sleeping Potion
+Sleep of the Dead
+Sleep Paralysis
+Sleep with the Fishes
+Sleight of Hand
+Sleuth Instructor
+Slice and Dice
+Slice from the Shadows
+Slice in Twain
+Slicer, High-Speed Antagonist
+Slicer, Hired Muscle
+Slick Sequence
+Slickshot Lockpicker
+Slickshot Show-Off
+Slickshot Vault-Buster
+Slight Malfunction
+Slime Against Humanity
+Slimebind
+Slimefoot and Squee
+Slimefoot's Survey
+Slimefoot, Thallid Transplant
+Slimefoot, the Stowaway
+Slime Molding
+Slimy Dualleech
+Sling-Gang Lieutenant
+Slingshot Goblin
+Slinking Giant
+Slinking Serpent
+Slinn Voda, the Rising Deep
+Slip On the Ring
+Slip Out the Back
+Slippery Bogbonder
+Slippery Bogle
+Slippery Karst
+Slippery Scoundrel
+Slipstream Eel
+Slipstream Serpent
+Slip Through Space
+Sliptide Serpent
+Slith Ascendant
+Slith Bloodletter
+Slither Blade
+Slitherbore Pathway
+Slitherhead
+Slithering Shade
+Slithermuse
+Slitherwisp
+Slithery Stalker
+Slith Firewalker
+Slith Predator
+Slith Strider
+Slivdrazi Monstrosity
+Sliver Construct
+Sliver Gravemother
+Sliver Hive
+Sliver Hivelord
+Sliver Legion
+Sliver Overlord
+Sliver Queen
+Sliver Queen Avatar
+Sliver Queen, Brood Mother
+Sliversmith
+Sliv-Mizzet, Hivemind
+Slobad, Iron Goblin
+Slogurk, the Overslime
+Sloppity Bilepiper
+Slow Motion
+Sludge Crawler
+Sludge Monster
+Sludge Strider
+Sludge Titan
+Sluggishness
+Sluiceway Scorpion
+Slumbering Dragon
+Slumbering Keepguard
+Slum Reaper
+Slurrk, All-Ingesting
+Sly Instigator
+Sly Requisitioner
+Sly Spy
+Smallpox
+Smash
+Smashing Success
+Smash to Dust
+Smash to Smithereens
+Sméagol, Helpful Guide
+Smell Fear
+Smelt
+Smelted Chargebug
+Smelting Vat
+Smelt-Ward Gatekeepers
+Smelt-Ward Ignus
+Smelt-Ward Minotaur
+Smirking Spelljacker
+Smite the Deathless
+Smite the Monstrous
+Smiting Helix
+Smitten Swordmaster
+Smogbelcher Chariot
+Smog Elemental
+Smogsteed Rider
+Smoke
+Smoke Bomb
+Smokebraider
+Smoke Shroud
+Smokespew Invoker
+Smoke Spirits' Aid
+Smokestack
+Smoke Teller
+Smoldering Butcher
+Smoldering Crater
+Smoldering Efreet
+Smoldering Egg
+Smoldering Marsh
+Smoldering Spires
+Smoldering Stagecoach
+Smoldering Tar
+Smoldering Werewolf
+Smolder Initiate
+Smother
+Smothering Abomination
+Smothering Tithe
+Smuggler Captain
+Smuggler's Buggy
+Smuggler's Copter
+Smuggler's Share
+Smuggler's Surprise
+Snag
+Snake Basket
+Snake Cult Initiation
+Snake of the Golden Grove
+Snake Pit
+Snakeskin Veil
+Snake Umbra
+Snap
+Snapback
+Snapcaster Mage
+Snapdax, Apex of the Hunt
+Snapping Creeper
+Snapping Drake
+Snapping Gnarlid
+Snapping Sailback
+Snapping Thragg
+Snapping Voidcraw
+Snapsail Glider
+Snaremaster Sprite
+Snarespinner
+Snare Tactician
+Snare the Skies
+Snare Thopter
+Snarlfang Vermin
+Snarling Gorehound
+Snarling Undorak
+Snarling Warg
+Snarling Wolf
+Sneak Attack
+Sneaking Guide
+Sneaky Homunculus
+Sneaky Snacker
+Snooping Newsie
+Snorting Gahr
+Snowblind
+Snowborn Simulacra
+Snow-Covered Forest
+Snow-Covered Island
+Snow-Covered Mountain
+Snow-Covered Plains
+Snow-Covered Swamp
+Snow-Covered Wastes
+Snow Day
+Snow Devil
+Snowfield Sinkhole
+Snow Fortress
+Snowhorn Rider
+Snow Hound
+Snubhorn Sentry
+Snuff Out
+Soar
+Soaring Drake
+Soaring Hope
+Soaring Sandwing
+Soaring Seacliff
+Soaring Show-Off
+Soaring Thought-Thief
+Social Climber
+Soilshaper
+Sojourner's Companion
+Sokenzan
+Sokenzan Bruiser
+Sokenzan, Crucible of Defiance
+Sokenzan Smelter
+Sokenzan Spellblade
+Solar Blast
+Solarion
+Solar Tide
+Solar Transformer
+Soldevi Heretic
+Soldevi Machinist
+Soldevi Sentry
+Soldevi Simulacrum
+Soldevi Steam Beast
+Soldier of Fortune
+Soldier of the Grey Host
+Soldier of the Pantheon
+Soldiers of the Watch
+Solemn Doomguide
+Solemnity
+Solemn Offering
+Solemn Recruit
+Solemn Simulacrum
+Solfatara
+Sol Grail
+Solidarity of Heroes
+Solid Footing
+Solitary Camel
+Solitary Defiance
+Solitary Hunter
+Solitary Sanctuary
+Soliton
+Solitude
+Sol'kanar the Swamp King
+Sol'Kanar the Tainted
+Solphim, Mayhem Dominus
+Sol Ring
+Solstice Zealot
+Sol Talisman
+Soltari Champion
+Soltari Crusader
+Soltari Emissary
+Soltari Foot Soldier
+Soltari Lancer
+Soltari Monk
+Soltari Priest
+Soltari Trooper
+Soltari Visionary
+Solve the Equation
+Somber Hoverguard
+Somberwald Alpha
+Somberwald Beastmaster
+Somberwald Dryad
+Somberwald Sage
+Somberwald Spider
+Somberwald Stag
+Somberwald Vigilante
+Somnomancer
+Somnophore
+Sonar Strike
+Songbirds' Blessing
+Song-Mad Ruins
+Song-Mad Treachery
+Song of Creation
+Song of Eärendil
+Song of Freyalise
+Song of Inspiration
+Song of Serenity
+Song of Stupefaction
+Song of the Dryads
+Song of the Worldsoul
+Song of Totentanz
+Songs of the Damned
+Songstitcher
+Sonic Assault
+Sonic Burst
+Sonic Screwdriver
+Sonic Seizure
+Sonorous Howlbonder
+Sontaran General
+Sootfeather Flock
+Soothing Balm
+Soothing of Sméagol
+Soothsayer Adept
+Soot Imp
+Sootstoke Kindler
+Sootwalkers
+Sophia, Dogged Detective
+Soporific Springs
+Soratami Mindsweeper
+Soratami Mirror-Guard
+Soratami Mirror-Mage
+Soratami Rainshaper
+Soratami Savant
+Soraya the Falconer
+Sorcerer Class
+Sorcerer of the Fang
+Sorcerer's Strongbox
+Sorcerer's Wand
+Sorceress Queen
+Sorcerous Sight
+Sorcerous Squall
+Sorin, Grim Nemesis
+Sorin, Imperious Bloodlord
+Sorin, Lord of Innistrad
+Sorin Markov
+Sorin of House Markov
+Sorin, Ravenous Neonate
+Sorin's Guide
+Sorin, Solemn Visitor
+Sorin's Thirst
+Sorin's Vengeance
+Sorin the Mirthless
+Sorin, Vampire Lord
+Sorin, Vengeful Bloodlord
+So Shiny
+Sosuke, Son of Seshiro
+Sosuke's Summons
+So Tiny
+Soul Barrier
+Soulblade Corrupter
+Soulblade Djinn
+Soulblade Renewer
+Soul Bleed
+Soulbound Guardians
+Soul Burn
+Soulcage Fiend
+Soulcatcher
+Soulcatchers' Aerie
+Soul Charmer
+Soulcipher Board
+Soulcoil Viper
+Soul Collector
+Soul Diviner
+Souldrinker
+Soul Echo
+Soul Enervation
+Soul Exchange
+Soul Feast
+Soulfire Eruption
+Soulfire Grand Master
+Soulflayer
+Soul Foundry
+Soul-Guide Gryff
+Soul-Guide Lantern
+Soulherder
+Soulhunter Rakshasa
+Soulknife Spy
+Soulless Jailer
+Soulless One
+Soulless Revival
+Soul Link
+Soul Manipulation
+Soulmender
+Soul Net
+Soul Nova
+Soul of Emancipation
+Soul of Eternity
+Soul of Innistrad
+Soul of Magma
+Soul of Migration
+Soul of New Phyrexia
+Soul of Ravnica
+Soul of Shandalar
+Soul of the Harvest
+Soul of the Rapids
+Soul of Theros
+Soul of Windgrace
+Soul of Zendikar
+Soul Parry
+Soul Partition
+Soulquake
+Soul Ransom
+Soul Read
+Soul Reap
+Soulreaper of Mogis
+Soul Rend
+Soul Salvage
+Soul's Attendant
+Soul-Scar Mage
+Soulscour
+Soul Scourge
+Soul Sear
+Soul Search
+Soul Separator
+Soul Servitude
+Soul's Fire
+Soul Shatter
+Soul Shepherd
+Soul Shred
+Soulshriek
+Soul's Majesty
+Soul Snare
+Soul Snuffers
+Souls of the Faultless
+Souls of the Lost
+Soul Spike
+Soul Stair Expedition
+Soulstealer Axe
+Soulstinger
+Soul-Strike Technique
+Soul Summons
+Soulsurge Elemental
+Soul Swallower
+Soul Swindler
+Soulsworn Jury
+Soulsworn Spirit
+Soultether Golem
+Soul Tithe
+Soul Transfer
+Soul Warden
+Sound the Call
+Soundwave, Sonic Spy
+Soundwave, Superior Captain
+Soured Springs
+Southern Elephant
+Southern Paladin
+Souvenir Snatcher
+Sovereign Okinec Ahau
+Sovereign's Bite
+Sovereign's Macuahuitl
+Sovereigns of Lost Alara
+Sovereign's Realm
+Sower of Discord
+Sower of Temptation
+Sowing Mycospawn
+Sowing Salt
+Space Marine Devastator
+Space Marine Scout
+Spara's Adjudicators
+Spara's Bodyguard
+Spara's Headquarters
+Spare Dagger
+Spare Supplies
+Sparkcaster
+Spark Double
+Spark Elemental
+Spark Fiend
+Spark Harvest
+Sparkhunter Masticore
+Spark Jolt
+Spark Mage
+Sparkmage Apprentice
+Sparkmage's Gambit
+Spark Reaper
+Spark Rupture
+Sparkshaper Visionary
+Sparksmith
+Sparkspitter
+Spark Spray
+Sparktongue Dragon
+Spark Trooper
+Sparring Collar
+Sparring Construct
+Sparring Golem
+Sparring Mummy
+Sparring Regimen
+Spartan Veteran
+Spatial Binding
+Spatial Contortion
+Spatial Merging
+Spatula of the Ages
+Spawnbed Protector
+Spawn-Gang Commander
+Spawning Bed
+Spawning Breath
+Spawning Grounds
+Spawning Kraken
+Spawning Pod
+Spawning Pool
+Spawn of Mayhem
+Spawn of Rix Maadi
+Spawn of Thraxes
+Spawnsire of Ulamog
+Spawnwrithe
+Speakeasy Server
+Speaker of the Heavens
+Spearbreaker Behemoth
+Spear of Heliod
+Spearpoint Oread
+Spear Spewer
+Species Gorger
+Species Specialist
+Specimen Collector
+Spectacle Mage
+Spectacular Showdown
+Spectator Seating
+Specter of Mortality
+Specter of the Fens
+Specter's Shroud
+Specter's Wail
+Spectral Arcanist
+Spectral Bears
+Spectral Binding
+Spectral Cloak
+Spectral Deluge
+Spectral Flight
+Spectral Force
+Spectral Gateguards
+Spectral Grasp
+Spectral Guardian
+Spectral Hunt-Caller
+Spectral Lynx
+Spectral Prison
+Spectral Procession
+Spectral Reserves
+Spectral Rider
+Spectral Sailor
+Spectral Shepherd
+Spectral Shield
+Spectral Sliver
+Spectral Steel
+Spectra Ward
+Spectrox Mines
+Spectrum Sentinel
+Speedway Fanatic
+Spellbane Centaur
+Spellbinding Soprano
+Spell Blast
+Spellbook
+Spellbook Vendor
+Spellbound Dragon
+Spellbreaker Behemoth
+Spell Burst
+Spellchain Scatter
+Spell Crumple
+Spelldrain Assassin
+Spelleater Wolverine
+Spellgorger Barbarian
+Spellgorger Weird
+Spellgyre
+Spellheart Chimera
+Spelljack
+Spellkeeper Weird
+Spell Pierce
+Spellpyre Phoenix
+Spell Queller
+Spellrune Howler
+Spellrune Painter
+Spell Rupture
+Spell Satchel
+Spellscorn Coven
+Spellseeker
+Spell Shrivel
+Spellskite
+Spell Snare
+Spell Snip
+Spell Snuff
+Spell Stutter
+Spellstutter Sprite
+Spell Swindle
+Spell Syphon
+Spelltithe Enforcer
+Spellweaver Duo
+Spellweaver Eternal
+Spellwild Ouphe
+Spelunking
+Sphere of Annihilation
+Sphere of Duty
+Sphere of Grace
+Sphere of Law
+Sphere of Purity
+Sphere of Reason
+Sphere of Resistance
+Sphere of Safety
+Sphere of the Suns
+Sphere of Truth
+Sphinx Ambassador
+Sphinx-Bone Wand
+Sphinx Mindbreaker
+Sphinx of Clear Skies
+Sphinx of Enlightenment
+Sphinx of Foresight
+Sphinx of Jwar Isle
+Sphinx of Lost Truths
+Sphinx of Magosi
+Sphinx of New Prahv
+Sphinx of the Chimes
+Sphinx of the Final Word
+Sphinx of the Guildpact
+Sphinx of the Revelation
+Sphinx of the Second Sun
+Sphinx of the Steel Wind
+Sphinx of Uthuun
+Sphinx's Disciple
+Sphinx's Herald
+Sphinx's Insight
+Sphinx Sovereign
+Sphinx's Revelation
+Sphinx's Tutelage
+Sphinx Summoner
+Spider Climb
+Spider Food
+Spidersilk Armor
+Spidersilk Net
+Spider Spawning
+Spider Umbra
+Spiderwig Boggart
+Spidery Grasp
+Spike Breeder
+Spike Cannibal
+Spike Colony
+Spiked Baloth
+Spiked Pit Trap
+Spiked Ripsaw
+Spike Drone
+Spike Feeder
+Spikefield Cave
+Spikefield Hazard
+Spike Hatcher
+Spike Jester
+Spikeshot Elder
+Spikeshot Goblin
+Spike Soldier
+Spiketail Drake
+Spiketail Drakeling
+Spike-Tailed Ceratops
+Spiketail Hatchling
+Spike Tiller
+Spike Weaver
+Spikewheel Acrobat
+Spike Worker
+Spinal Centipede
+Spinal Embrace
+Spinal Graft
+Spinal Parasite
+Spinal Villain
+Spindrift Drake
+Spinebiter
+Spined Basher
+Spined Fluke
+Spined Karok
+Spined Megalodon
+Spined Sliver
+Spined Thopter
+Spined Wurm
+Spinehorn Minotaur
+Spineless Thug
+Spin Engine
+Spine of Ish Sah
+Spinerock Knoll
+Spinewoods Armadillo
+Spinewoods Paladin
+Spin into Myth
+Spinneret Sliver
+Spinnerette, Arachnobat
+Spinning Wheel
+Spinning Wheel Kick
+Spinny Ride
+Spiny Starfish
+Spiraling Duelist
+Spiraling Embers
+Spire Barrage
+Spirebluff Canal
+Spire Garden
+Spire Golem
+Spire Mangler
+Spire Monitor
+Spire of Industry
+Spire Owl
+Spire Patrol
+Spire Phantasm
+Spire Serpent
+Spireside Infiltrator
+Spires of Orazca
+Spirespine
+Spire Tracer
+Spire Winder
+Spirit Away
+Spirit Bonds
+Spirit Cairn
+Spirited Companion
+Spirit en-Dal
+Spirit Flare
+Spirit Link
+Spirit Loop
+Spirit Mantle
+Spirit Mirror
+Spiritmonger
+Spirit of Malevolence
+Spirit of Resistance
+Spirit of the Aldergard
+Spirit of the Hearth
+Spirit of the Hunt
+Spirit of the Labyrinth
+Spirit of the Night
+Spirit of the Spires
+Spirit Shackle
+Spirit Shield
+Spirit-Sister's Call
+Spirit Summoning
+Spiritual Focus
+Spiritual Guardian
+Spiritual Sanctuary
+Spiritual Visit
+Spirit Weaver
+Spite
+Spitebellows
+Spiteful Banditry
+Spiteful Blow
+Spiteful Bully
+Spiteful Hexmage
+Spiteful Motives
+Spiteful Prankster
+Spiteful Repossession
+Spiteful Returned
+Spiteful Shadows
+Spiteful Sliver
+Spiteful Squad
+Spiteful Visions
+Spitemare
+Spite of Mogis
+Spitfire Bastion
+Spitfire Handler
+Spitfire Lagac
+Spit Flame
+Spitting Dilophosaurus
+Spitting Drake
+Spitting Earth
+Spitting Gourna
+Spitting Hydra
+Spitting Image
+Spitting Sliver
+Splash Lasher
+Splash Portal
+Splashy Spellcaster
+Splatter Goblin
+Splatter Thug
+Splendid Agony
+Splendid Reclamation
+Splendor Mare
+Splicer's Skill
+Splinter
+Splinterfright
+Splinter Twin
+Split-Tail Miko
+Split the Party
+Split the Spoils
+Splitting Headache
+Splitting Slime
+Splitting the Powerstone
+Spoils of Adventure
+Spoils of Blood
+Spoils of the Hunt
+Spoils of Victory
+Spontaneous Artist
+Spontaneous Combustion
+Spontaneous Flight
+Spontaneous Generation
+Spontaneous Mutation
+Sporeback Troll
+Sporeback Wolf
+Spore Burst
+Sporecap Spider
+Spore Cloud
+Spore Crawler
+Sporecrown Thallid
+Spore Flower
+Spore Frog
+Sporemound
+Sporesower Thallid
+Spore Swarm
+Sporeweb Weaver
+Sporocyst
+Sporogenesis
+Sporoloth Ancient
+Spotlight Falcon
+Spotted Griffin
+Spotter Thopter
+Spreading Algae
+Spreading Flames
+Spreading Insurrection
+Spreading Plague
+Spreading Rot
+Spreading Seas
+Spread the Sickness
+Spring
+Springbloom Druid
+Spring Cleaning
+Springheart Nantuko
+Springing Tiger
+Springjack Knight
+Springjack Shepherd
+Springjaw Trap
+Spring-Leaf Avenger
+Spring-Loaded Sawblades
+Springmane Cervin
+Springmantle Cleric
+Spring of Eternal Peace
+Springsage Ritual
+Spring Splasher
+Sprinting Warbrute
+Sprite Dragon
+Sprite Noble
+Sprout
+Sproutback Trudge
+Sprouting Goblin
+Sprouting Phytohydra
+Sprouting Renewal
+Sprouting Thrinax
+Sprouting Vines
+Sprout Swarm
+Sproutwatch Dryad
+Spur Grappler
+Spurnmage Advocate
+Spyglass Siren
+Spy Kit
+Spymaster's Vault
+Squad Captain
+Squad Commander
+Squadron Hawk
+Squall
+Squall Drifter
+Squall Line
+Squash
+Squeak By
+Squeaking Pie Grubfellows
+Squeaking Pie Sneak
+Squee, Dubious Monarch
+Squee, Goblin Nabob
+Squee, Goblin Nabob Avatar
+Squee's Embrace
+Squee's Toy
+Squee, the Immortal
+Squeeze
+Squelch
+Squelching Leeches
+Squire
+Squire's Devotion
+Squirming Emergence
+Squirming Mass
+Squirrel Mob
+Squirrel Nest
+Squirrel Sanctuary
+Squirrel Sovereign
+Squirrel Squatters
+Squirrel Wrangler
+Sram, Senior Edificer
+Sram's Expertise
+Stabbing Pain
+Stabilizer
+Stabwhisker the Odious
+Stab Wound
+Stadium Vendors
+Staff of Compleation
+Staff of Domination
+Staff of Eden, Vault's Key
+Staff of Nin
+Staff of the Ages
+Staff of the Death Magus
+Staff of the Flame Magus
+Staff of the Mind Magus
+Staff of the Storyteller
+Staff of the Sun Magus
+Staff of the Wild Magus
+Staff of Titania
+Staff of Zegon
+Stag Beetle
+Stagecoach Security
+Staggering Insight
+Staggering Size
+Staggershock
+Stairs to Infinity
+Stalactite Stalker
+Stalker Hag
+Stalking Assassin
+Stalking Bloodsucker
+Stalking Drone
+Stalking Leonin
+Stalking Predator
+Stalking Stones
+Stalking Tiger
+Stalking Tiger Avatar
+Stalking Vampire
+Stalking Vengeance
+Stall for Time
+Stallion of Ashmouth
+Stalwart Aven
+Stalwart Pathlighter
+Stalwart Realmwarden
+Stalwart Shield-Bearers
+Stalwarts of Osgiliath
+Stalwart Speartail
+Stalwart Valkyrie
+Stamina
+Stampede
+Stampede Driver
+Stampede Rider
+Stampede Surfer
+Stampeding Elk Herd
+Stampeding Horncrest
+Stampeding Rhino
+Stampeding Serow
+Stampeding Wildebeests
+Stand
+Standard Bearer
+Stand Firm
+Standing Stones
+Standing Troops
+Stand or Fall
+Stand Together
+Stangg
+Stangg, Echo Warrior
+Star Charter
+Star Compass
+Star-Crowned Stag
+Starfall
+Starfall Invocation
+Starfield Mystic
+Starfield of Nyx
+Starforged Sword
+Stargaze
+Starke
+Starlight
+Starlight Invoker
+Starlight Spectacular
+Starlit Angel
+Starlit Mantle
+Starlit Sanctum
+Starlit Soothsayer
+Starnheim Aspirant
+Starnheim Courser
+Starnheim Unleashed
+Star of Extinction
+Star Pupil
+Starscape Cleric
+Starscream, Power Hungry
+Starscream, Seeker Leader
+Starseer Mentor
+Starstorm
+Start
+Start from Scratch
+Startle
+Startled Awake
+Startling Development
+Start the TARDIS
+Start Your Engines
+Starved Rusalka
+Starving Revenant
+Star Whale
+Stasis
+Stasis Cocoon
+Stasis Field
+Stasis Snare
+Statecraft
+Static Discharge
+Static Net
+Static Prison
+Statue
+Status
+Statute of Denial
+Staunch Crewmate
+Staunch Defenders
+Staunch-Hearted Warrior
+Staunch Shieldmate
+Staunch Throneguard
+Stave Off
+Steadfast Armasaur
+Steadfast Cathar
+Steadfast Guard
+Steadfast Paladin
+Steadfast Sentinel
+Steadfast Sentry
+Steadfast Unicorn
+Steady Aim
+Steady Progress
+Steady Tortoise
+Steal Artifact
+Stealer of Secrets
+Steal Strength
+Stealth Mission
+Steam Augury
+Steam Blast
+Steam Catapult
+Steamclaw
+Steam Clean
+Steamcore Scholar
+Steamcore Weird
+Steamflogger Boss
+Steam Frigate
+Steampath Charger
+Steam Spitter
+Steam Vents
+Steam Vines
+Steelbane Hydra
+Steelburr Champion
+Steelclad Serpent
+Steelclad Spirit
+Steelclaw Lance
+Steel Dromedary
+Steel Exemplar
+Steelfin Whale
+Steelform Sliver
+Steelgaze Griffin
+Steel Hellkite
+Steel Leaf Champion
+Steel Leaf Paladin
+Steel of the Godhead
+Steel Overseer
+Steel-Plume Marshal
+Steel Sabotage
+Steel Seraph
+Steelshaper Apprentice
+Steelshaper's Gift
+Steel Squirrel
+Steel Wall
+Steely Resolve
+Steeple Creeper
+Steeple Roc
+Steer Clear
+Stella Lee, Wild Card
+Stench of Decay
+Stench of Evil
+Stenchskipper
+Stenn, Paranoid Partisan
+Stensia
+Stensia Banquet
+Stensia Bloodhall
+Stensia Innkeeper
+Stensia Masquerade
+Stensia Uprising
+Step Between Worlds
+Steppe Glider
+Steppe Lynx
+Step Right Up
+Step Through
+Sterling Grove
+Sterling Hound
+Sterling Keykeeper
+Sterling Supplier
+Stern Constable
+Stern Dismissal
+Stern Judge
+Stern Lesson
+Stern Marshal
+Stern Mentor
+Stern Proctor
+Stern Scolding
+Steward of Solidarity
+Steward of Valeron
+Stew the Coneys
+Stick Together
+Sticky Fingers
+Stickytongue Sentinel
+Stigma Lasher
+Still Life
+Stillmoon Cavalier
+Stimulus Package
+Stingblade Assassin
+Stingerback Terror
+Stingerfling Spider
+Stinging Barrier
+Stinging Cave Crawler
+Stinging Hivemaster
+Stinging Lionfish
+Stinging Scorpion
+Stinging Shot
+Stinging Study
+Stingmoggie
+Stingscourger
+Sting, the Glinting Dagger
+Stinkdrinker Bandit
+Stinkdrinker Daredevil
+Stinkweed Imp
+Stirge
+Stirring Address
+Stirring Bard
+Stirring Wildwood
+Stir the Grave
+Stir the Sands
+Stitched Assistant
+Stitched Drake
+Stitched Mangler
+Stitcher Geralf
+Stitcher's Graft
+Stitcher's Supplier
+Stitch in Time
+Stitch Together
+Stitchwing Skaab
+Stocking the Pantry
+Stockpiling Celebrant
+Stoic Angel
+Stoic Builder
+Stoic Champion
+Stoic Ephemera
+Stoic Farmer
+Stoic Rebuttal
+Stoic Sphinx
+Stoke Genius
+Stoke the Flames
+Stolen by the Fae
+Stolen Goodies
+Stolen Goods
+Stolen Grain
+Stolen Identity
+Stolen Strategy
+Stolen Vitality
+Stomp
+Stomp and Howl
+Stomper Cub
+Stomping Ground
+Stomping Slabs
+Stonebinder's Familiar
+Stonebound Mentor
+Stonebrow, Krosan Hero
+Stone Calendar
+Stone Catapult
+Stonecloaker
+Stonecoil Serpent
+Stonefare Crocodile
+Stoneforge Acolyte
+Stoneforge Masterwork
+Stoneforge Mystic
+Stonefury
+Stone Giant
+Stone Golem
+Stonehands
+Stone Haven Medic
+Stone Haven Outfitter
+Stone Haven Pilgrim
+Stonehewer Giant
+Stonehewer Giant Avatar
+Stonehoof Chieftain
+Stonehorn Chanter
+Stonehorn Dignitary
+Stone Idol Generator
+Stone Idol Trap
+Stone Kavu
+Stone of Erech
+Stone Quarry
+Stone Rain
+Stone Retrieval Unit
+Stonerise Spirit
+Stone-Seeder Hierophant
+Stoneshaker Shaman
+Stoneshock Giant
+Stoneskin
+Stonespeaker Crystal
+Stone Spirit
+Stonesplitter Bolt
+Stone-Throwing Devils
+Stone-Tongue Basilisk
+Stonewing Antagonizer
+Stonewood Invocation
+Stonewood Invoker
+Stonework Packbeast
+Stonework Puma
+Stonewright
+Stonybrook Banneret
+Stonybrook Schoolmaster
+Stony Silence
+Stony Strength
+Stop Cold
+Stormbind
+Stormblood Berserker
+Stormbound Geist
+Stormbreath Dragon
+Stormcage Containment Facility
+Storm Caller
+Stormcaller of Keranos
+Stormcaller's Boon
+Stormcarved Coast
+Stormcatch Mentor
+Storm Cauldron
+Storm-Charged Slasher
+Stormchaser Chimera
+Stormchaser Drake
+Stormchaser Mage
+Stormchaser's Talent
+Stormclaw Rager
+Stormcloud Djinn
+Stormcloud Spirit
+Stormcrag Elemental
+Storm Crow
+Storm Elemental
+Storm Entity
+Stormfist Crusader
+Storm Fleet Aerialist
+Storm Fleet Arsonist
+Storm Fleet Negotiator
+Storm Fleet Pyromancer
+Storm Fleet Sprinter
+Storm Fleet Spy
+Storm Fleet Swashbuckler
+Storm Front
+Stormfront Pegasus
+Stormfront Riders
+Storm God's Oracle
+Storm Herald
+Storm Herd
+Stormkeld Curator
+Stormkeld Prowler
+Stormkeld Vanguard
+Storm-Kiln Artist
+Storm of Forms
+Storm of Saruman
+Storm of Souls
+Storm Reading
+Stormrider Rig
+Stormrider Spirit
+Stormscale Anarch
+Stormscape Apprentice
+Stormscape Battlemage
+Stormscape Familiar
+Stormscape Master
+Storm Sculptor
+Storm Seeker
+Storm Shaman
+Storm Skreelix
+Storm Spirit
+Stormsplitter
+Storm Strike
+Stormsurge Kraken
+Storm's Wrath
+Storm the Citadel
+Storm the Festival
+Storm the Seedcore
+Storm the Vault
+Stormtide Leviathan
+Stormwild Capridor
+Stormwing Dragon
+Stormwing Entity
+Storm World
+Storrev, Devkarin Lich
+Storvald, Frost Giant Jarl
+Storybook Ride
+Story Circle
+Story Seeker
+Storyteller Pixie
+Storyweave
+Strafe
+Strands of Undeath
+Strandwalker
+Strange Augmentation
+Strangle
+Stranglehold
+Strangleroot Geist
+Strangling Grasp
+Strangling Soot
+Strangling Spores
+Stratadon
+Strata Scythe
+Strategy, Schmategy
+Stratozeppelid
+Stratus Dancer
+Stratus Walk
+Straw Golem
+Straw Soldiers
+Strax, Sontaran Nurse
+Streambed Aquitects
+Stream Hopper
+Stream of Acid
+Stream of Life
+Stream of Thought
+Stream of Unconsciousness
+Streetbreaker Wurm
+Street Riot
+Street Savvy
+Street Spasm
+Street Urchin
+Streetwise Negotiator
+Street Wraith
+Strefan, Maurer Progenitor
+Strength Bobblehead
+Strength from the Fallen
+Strength in Numbers
+Strength of Arms
+Strength of Cedars
+Strength of Isolation
+Strength of Lunacy
+Strength of Night
+Strength of Solidarity
+Strength of the Coalition
+Strength of the Harvest
+Strength of the Pack
+Strength of the Tajuru
+Strength of Unity
+Strength-Testing Hammer
+Strict Proctor
+Strider Harness
+Strider, Ranger of the North
+Strike It Rich
+Striking Sliver
+String of Disappearances
+Striped Bears
+Striped Riverwinder
+Strip Mine
+Strixhaven
+Strixhaven Stadium
+Strix Serenade
+Stroke of Genius
+Stroke of Luck
+Stroke of Midnight
+Stromgald Cabal
+Stromgald Crusader
+Stromkirk Bloodthief
+Stromkirk Captain
+Stromkirk Condemned
+Stromkirk Mentor
+Stromkirk Noble
+Stromkirk Occultist
+Stromkirk Patrol
+Strongarm Monk
+Strongarm Thug
+Strong Back
+Stronghold Arena
+Stronghold Biologist
+Stronghold Confessor
+Stronghold Discipline
+Stronghold Furnace
+Stronghold Machinist
+Stronghold Overseer
+Stronghold Rats
+Stronghold Taskmaster
+Stronghold Zeppelin
+Strong, the Brutish Thespian
+Structural Assault
+Structural Collapse
+Structural Distortion
+Struggle
+Struggle for Project Purity
+Struggle for Sanity
+Struggle for Skemfar
+Stubborn Burrowfiend
+Stubborn Denial
+Student of Elements
+Student of Ojutai
+Student of Warfare
+Study
+Study Break
+Study Hall
+Stuffed Bear
+Stuffy Doll
+Stuffy Doll Avatar
+Stumpsquall Hydra
+Stump Stomp
+Stun
+Stunning Strike
+Stun Sniper
+Stunt Double
+Stunted Growth
+Stupefying Touch
+Stupor
+Sturdy Hatchling
+Sturmgeist
+Stymied Hopes
+Subira, Tulzidi Caravanner
+Subjugate the Hobbits
+Subjugator Angel
+Sublime Archangel
+Sublime Epiphany
+Sublime Exhalation
+Submerge
+Submerged Boneyard
+Subterranean Hangar
+Subterranean Schooner
+Subterranean Scout
+Subterranean Shambler
+Subterranean Spirit
+Subterranean Tremors
+Subtle Strike
+Subtlety
+Subversion
+Subversive Acolyte
+Succumb to Temptation
+Succumb to the Cold
+Su-Chi
+Su-Chi Cave Guard
+Sudden Breakthrough
+Sudden Death
+Sudden Edict
+Sudden Impact
+Sudden Insight
+Sudden Reclamation
+Sudden Salvation
+Sudden Setback
+Sudden Shock
+Sudden Spinnerets
+Sudden Storm
+Sudden Strength
+Suffering
+Suffocating Blast
+Suffocating Fumes
+Suffocation
+Sugar Coat
+Sugar Rush
+Suit Up
+Sulam Djinn
+Suleiman's Legacy
+Sulfur Elemental
+Sulfur Falls
+Sulfuric Vapors
+Sulfuric Vortex
+Sulfurous Blast
+Sulfurous Mire
+Sulfurous Springs
+Sultai Banner
+Sultai Charm
+Sultai Emissary
+Sultai Flayer
+Sultai Runemark
+Sultai Scavenger
+Sultai Skullkeeper
+Sultai Soothsayer
+Sumala Rumblers
+Sumala Sentry
+Sumala Woodshaper
+Summary Judgment
+Summer Bloom
+Summit Apes
+Summit Prowler
+Summoner's Bane
+Summoner's Bond
+Summoning Station
+Summoning Trap
+Summons of Saruman
+Summon the School
+Summon Undead
+Sunastian Falconer
+Sunbaked Canyon
+Sunbathing Rootwalla
+Sunbeam Spellbomb
+Sunbird's Invocation
+Sunblade Angel
+Sunblade Elf
+Sunblade Samurai
+Sunblast Angel
+Sun-Blessed Guardian
+Sun-Blessed Mount
+Sunbond
+Sunbringer's Touch
+Sun Ce, Young Conquerer
+Sun Clasp
+Suncleanser
+Sun-Collared Raptor
+Sun-Crested Pterodon
+Sun-Crowned Hunters
+Suncrusher
+Sunder
+Sunder from Within
+Sundering Eruption
+Sundering Growth
+Sundering Stroke
+Sundering Titan
+Sundering Vitae
+Sunder Shaman
+Sunder the Gateway
+Sundown Pass
+Sun Droplet
+Sune's Intervention
+Sunfall
+Sunfire Balm
+Sunfire Torch
+Sunflare Shaman
+Sunforger
+Sunfrill Imitator
+Sungold Barrage
+Sungold Sentinel
+Sungrace Pegasus
+Sunhome Enforcer
+Sunhome, Fortress of the Legion
+Sunhome Guildmage
+Sunhome Stalwart
+Sunken Citadel
+Sunken City
+Sunken Field
+Sunken Hollow
+Sunken Hope
+Sunken Palace
+Sunlance
+Sunlit Hoplite
+Sunlit Marsh
+Sunmane Pegasus
+Sunpetal Grove
+Sun Quan, Lord of Wu
+Sunrise Cavalier
+Sunrise Seeker
+Sunrise Sovereign
+Sun's Bounty
+Sunscape Battlemage
+Sunscape Familiar
+Sunscape Master
+Sunscorched Desert
+Sunscorch Regent
+Sunscour
+Sunscourge Champion
+Sunseed Nurturer
+Sun Sentinel
+Sunset Pyramid
+Sunset Revelry
+Sunshot Militia
+Sunshower Druid
+Sunspear Shikari
+Sunspine Lynx
+Sunspire Gatekeepers
+Sunspire Griffin
+Sunspring Expedition
+Sunstone
+Sunstreak Phoenix
+Sunstrike Legionnaire
+Suntail Hawk
+Suntail Squadron
+Sun Titan
+Suntouched Myr
+Sunweb
+Superior Numbers
+Super Mutant Scavenger
+Supernatural Rescue
+Supernatural Stamina
+Supplant Form
+Supply
+Supply Caravan
+Supply Drop
+Supply-Line Cranes
+Supply Runners
+Suppression Bonds
+Suppression Field
+Suppression Ray
+Suppressor Skyguard
+Supreme Exemplar
+Supreme Inquisitor
+Supreme Phantom
+Supreme Verdict
+Supreme Will
+Suq'Ata Assassin
+Suq'Ata Firewalker
+Suq'Ata Lancer
+Sure-Footed Infiltrator
+Sure Strike
+Surestrike Trident
+Surge Engine
+Surgehacker Mech
+Surge Mare
+Surge Node
+Surge of Brilliance
+Surge of Righteousness
+Surge of Salvation
+Surge of Thoughtweft
+Surge of Zeal
+Surgespanner
+Surge to Victory
+Surgical Extraction
+Surgical Metamorph
+Surgical Skullbomb
+Surging Aether
+Surging Dementia
+Surging Flame
+Surging Might
+Surging Sentinels
+Surly Badgersaur
+Surrak and Goreclaw
+Surrakar Banisher
+Surrakar Marauder
+Surrakar Spellblade
+Surrak Dragonclaw
+Surrak, the Hunt Caller
+Surrender Your Thoughts
+Surrounded by Orcs
+Surtland Elementalist
+Surtland Flinger
+Surtland Frostpyre
+Surtr, Fiery Jötun
+Surveillance Monitor
+Surveilling Sprite
+Survey the Wreckage
+Survival Cache
+Survival of the Fittest
+Survive
+Survive the Night
+Survivor of Korlis
+Survivors' Bond
+Survivors' Encampment
+Survivor's Med Kit
+Susan Foreman
+Suspend
+Suspension Field
+Suspicious Bookcase
+Suspicious Detonation
+Suspicious Shambler
+Suspicious Stowaway
+Sustainer of the Realm
+Sustaining Spirit
+Sustenance
+Sutured Ghoul
+Suture Priest
+Suture Spirit
+Svella, Ice Shaper
+Svyelunite Priest
+Svyelun of Sea and Sky
+Swab Goblin
+Swaggering Corsair
+Swallowing Plague
+Swallow Whole
+Swamp
+Swamp Mosquito
+Swans of Bryn Argoll
+Swarmborn Giant
+Swarm Guildmage
+Swarming Goblins
+Swarming of Moria
+Swarm Intelligence
+Swarm of Bloodflies
+Swarm of Rats
+Swarm Saboteur
+Swarm Shambler
+Swarm Surge
+Swarmyard
+Swarmyard Massacre
+Swashbuckler's Whip
+Swashbuckling
+Swat
+Swathcutter Giant
+Sweatworks Brawler
+Sweep Away
+Sweeping Cleave
+Sweep the Skies
+Sweet-Gum Recluse
+Sweet Oblivion
+Sweettooth Witch
+Swell of Courage
+Swell of Growth
+Swelter
+Sweltering Suns
+Swiftblade Vindicator
+Swift End
+Swiftfoot Boots
+Swiftgear Drake
+Swift Justice
+Swift Kick
+Swift Maneuver
+Swift Reckoning
+Swift Reconfiguration
+Swift Response
+Swift Spinner
+Swift Spiral
+Swift Warden
+Swift Warkite
+Swiftwater Cliffs
+Swimmer in Nightmares
+Swindler's Scheme
+Swine Rebellion
+Swirling Sandstorm
+Swirling Spriggan
+Swirling Torrent
+Swirl the Mists
+Switcheroo
+Switchgrass Grazer
+Swooping Lookout
+Swooping Protector
+Swooping Pteranodon
+Swooping Talon
+Sword Coast Sailor
+Sword Coast Serpent
+Sword Dancer
+Sword of Body and Mind
+Sword of Dungeons & Dragons
+Sword of Feast and Famine
+Sword of Fire and Ice
+Sword of Forge and Frontier
+Sword of Hearth and Home
+Sword of Hours
+Sword of Kaldra
+Sword of Light and Shadow
+Sword of Once and Future
+Sword of Sinew and Steel
+Sword of the Animist
+Sword of the Chosen
+Sword of the Meek
+Sword of the Realms
+Sword of the Squeak
+Sword of Truth and Justice
+Sword of Vengeance
+Sword of War and Peace
+Sword of Wealth and Power
+Sword-Point Diplomacy
+Swords to Plowshares
+Swordsworn Cavalier
+Swordwise Centaur
+Sworn Companions
+Sworn Guardian
+Sworn to the Legion
+Sycorax Commander
+Sydri, Galvanic Genius
+Sygg, River Cutthroat
+Sygg, River Guide
+Sylvan Advocate
+Sylvan Anthem
+Sylvan Basilisk
+Sylvan Bounty
+Sylvan Brushstrider
+Sylvan Caryatid
+Sylvan Echoes
+Sylvan Hierophant
+Sylvan Messenger
+Sylvan Might
+Sylvan Primordial
+Sylvan Ranger
+Sylvan Reclamation
+Sylvan Scrying
+Sylvan Shepherd
+Sylvan Smite
+Sylvan Tutor
+Sylvia Brightspear
+Sylvok Battle-Chair
+Sylvok Explorer
+Sylvok Lifestaff
+Sylvok Replica
+Symbiosis
+Symbiotic Beast
+Symbiotic Deployment
+Symbiotic Elf
+Symbiotic Wurm
+Symbol of Unsummoning
+Symmetry Matrix
+Symmetry Sage
+Synapse Necromage
+Synapse Sliver
+Synchronized Eviction
+Synchronized Spellcraft
+Synchronized Strike
+Synchronous Sliver
+Syncopate
+Syndicate Enforcer
+Syndicate Guildmage
+Syndicate Heavy
+Syndicate Infiltrator
+Syndicate Messenger
+Syndicate Recruiter
+Syndicate Trafficker
+Syndic of Tithes
+Synod Centurion
+Synth Eradicator
+Synth Infiltrator
+Syphon Essence
+Syphon Flesh
+Syphon Life
+Syphon Mind
+Syphon Sliver
+Syphon Soul
+Syr Alin, the Lion's Claw
+Syr Armont, the Redeemer
+Syr Carah, the Bold
+Syr Faren, the Hengehammer
+Syr Ginger, the Meal Ender
+Syr Gwyn, Hero of Ashvale
+Syrix, Carrier of the Flame
+Syr Joshua and Syr Saxon
+Syr Konrad, the Grim
+Sythis, Harvest's Hand
+Szadek, Lord of Secrets
+Szarekh, the Silent King
+Szat's Will
+T-45 Power Armor
+Tabaxi Toucaneers
+Tablet of Compleation
+Tablet of Epityr
+Tablet of the Guilds
+Taborax, Hope's Demise
+Tactical Advantage
+Tah-Crop Elite
+Tah-Crop Skirmisher
+Tahngarth
+Tahngarth's Glare
+Tahngarth, Talruum Hero
+Taiga
+Taigam, Ojutai Master
+Taigam's Strike
+Taiga Stadium
+Taii Wakeen, Perfect Shot
+Tail Slash
+Tail Swipe
+Tail the Suspect
+Tainted Field
+Tainted Indulgence
+Tainted Isle
+Tainted Observer
+Tainted Pact
+Tainted Peak
+Tainted Remedy
+Tainted Sigil
+Tainted Specter
+Tainted Strike
+Tainted Well
+Tainted Wood
+Tajic, Blade of the Legion
+Tajic, Legion's Edge
+Tajic, Legion's Valor
+Taj-Nar Swordsmith
+Tajuru Archer
+Tajuru Beastmaster
+Tajuru Blightblade
+Tajuru Paragon
+Tajuru Pathwarden
+Tajuru Preserver
+Tajuru Snarecaster
+Tajuru Stalwart
+Tajuru Warcaller
+Take Down
+Take Flight
+Take for a Ride
+Take Heart
+Take into Custody
+Take Inventory
+Take It Back
+Taken by Nightmares
+Takeno, Samurai General
+Takeno's Cavalry
+Takenuma
+Takenuma, Abandoned Mire
+Takenuma Bleeder
+Take Out the Trash
+Take Possession
+Take the Bait
+Take the Fall
+Take to the Streets
+Take Up Arms
+Take Up the Shield
+Take Vengeance
+Talara's Bane
+Talara's Battalion
+Talas Air Ship
+Talas Explorer
+Talas Lookout
+Talas Merchant
+Talas Researcher
+Talas Scout
+Talas Warrior
+Talent of the Telepath
+Tale of Tinúviel
+Tale's End
+Tales of Master Seshiro
+Tales of the Ancestors
+Talion's Messenger
+Talion's Throneguard
+Talion, the Kindly Lord
+Talisman of Conviction
+Talisman of Creativity
+Talisman of Curiosity
+Talisman of Dominance
+Talisman of Hierarchy
+Talisman of Impulse
+Talisman of Indulgence
+Talisman of Progress
+Talisman of Resilience
+Talisman of Unity
+Tall as a Beanstalk
+Tallowisp
+Tallyman of Nurgle
+Talon Gates
+Talon Gates of Madara
+Talonrend
+Talon Sliver
+Talons of Falkenrath
+Talons of Wildwood
+Talon Trooper
+Talrand's Invocation
+Talrand, Sky Summoner
+Talruum Champion
+Talruum Minotaur
+Talruum Piper
+Talus Paladin
+Tamanoa
+Tameshi, Reality Architect
+Tamiyo, Compleated Sage
+Tamiyo, Field Researcher
+Tamiyo, Inquisitive Student
+Tamiyo Meets the Story Circle
+Tamiyo's Compleation
+Tamiyo, Seasoned Scholar
+Tamiyo's Epiphany
+Tamiyo's Immobilizer
+Tamiyo's Journal
+Tamiyo's Logbook
+Tamiyo's Safekeeping
+Tamiyo, the Moon Sage
+Tana, the Bloodsower
+Tanazir Quandrix
+Tandem Lookout
+Tandem Tactics
+Tandem Takedown
+Tangle
+Tangle Angler
+Tangle Asp
+Tanglebloom
+Tangleclaw Werewolf
+Tangled Colony
+Tangled Florahedron
+Tangled Islet
+Tangled Skyline
+Tangled Vale
+Tangle Golem
+Tangle Hulk
+Tangle Kelp
+Tangle Mantis
+Tanglepool Bridge
+Tangleroot
+Tanglesap
+Tanglespan Bridgeworks
+Tanglespan Lookout
+Tangle Spider
+Tangletrap
+Tangletrove Kelp
+Tangle Tumbler
+Tanglewalker
+Tangleweave Armor
+Tangle Wire
+Taniwha
+Tan Jolom, the Worldwalker
+Tanuki Transplanter
+Taoist Hermit
+Taoist Mystic
+Tapestry of the Ages
+Tapping at the Window
+Taranika, Akroan Veteran
+TARDIS
+TARDIS Bay
+Tar Fiend
+Tarfire
+Target Minotaur
+Targ Nar, Demon-Fang Gnoll
+Tariel, Reckoner of Souls
+Tarkir Duneshaper
+Tarmogoyf
+Tarmogoyf Nest
+Tarnation Vista
+Tarnished Citadel
+Tarox Bladewing
+Tarpan
+Tar Pitcher
+Tar Pit Warrior
+Tarrian's Journal
+Tarrian's Soulcleaver
+Tar Snare
+Tasha's Hideous Laughter
+Tasha, the Witch Queen
+Tasha, Unholy Archmage
+Tasigur's Cruelty
+Tasigur, the Golden Fang
+Task Force
+Task Mage Assembly
+Tasseled Dromedary
+Taste for Mayhem
+Taste of Blood
+Taste of Death
+Taste of Paradise
+Tato Farmer
+Tatsumasa, the Dragon's Fang
+Tatsunari, Toad Rider
+Tattered Apparition
+Tattered Drake
+Tattered Haunter
+Tattered Mummy
+Tattered Ratter
+Tatterkite
+Tattermunge Duo
+Tattermunge Maniac
+Tattermunge Witch
+Tattoo Ward
+Tatyova, Benthic Druid
+Tatyova, Steward of Tides
+Taunt from the Rampart
+Taunting Arbormage
+Taunting Elf
+Taunting Kobold
+Taunting Sliver
+Taurean Mauler
+Tavern Brawler
+Tavern Ruffian
+Tavern Scoundrel
+Tavern Smasher
+Tavern Swindler
+Tawnos
+Tawnos Endures
+Tawnos, Solemn Survivor
+Tawnos's Tinkering
+Tawnos's Wand
+Tawnos's Weaponry
+Tawnos, the Toymaker
+Tawnos, Urza's Apprentice
+Tax Collector
+Tayam, Luminous Enigma
+Tazeem
+Tazeem Raptor
+Tazeem Roilmage
+Tazri, Beacon of Unity
+Tazri, Stalwart Survivor
+Teach by Example
+Teachings of the Archaics
+Teachings of the Kirin
+Team Pennant
+Teapot Slinger
+Tear
+Tear Asunder
+Tears of Valakut
+Technomancer
+Tectonic Edge
+Tectonic Fiend
+Tectonic Giant
+Tectonic Hazard
+Tectonic Hellion
+Tectonic Instability
+Tectonic Reformation
+Tectonic Rift
+Tecutlan, the Searing Rift
+Teeka's Dragon
+Teetering Peaks
+Teeterpeak Ambusher
+Teething Wurmlet
+Teferi Akosa of Zhalfir
+Teferi, Hero of Dominaria
+Teferi, Mage of Zhalfir
+Teferi, Master of Time
+Teferi's Ageless Insight
+Teferi's Contingency
+Teferi's Curse
+Teferi's Drake
+Teferi's Honor Guard
+Teferi's Imp
+Teferi's Isle
+Teferi's Moat
+Teferi's Protection
+Teferi's Protege
+Teferi's Puzzle Box
+Teferi's Realm
+Teferi's Response
+Teferi's Sentinel
+Teferi's Talent
+Teferi's Time Twist
+Teferi's Tutelage
+Teferi's Wavecaster
+Teferi, Temporal Archmage
+Teferi, Temporal Pilgrim
+Teferi, Timebender
+Teferi, Timeless Voyager
+Teferi, Time Raveler
+Teferi, Who Slows the Sunset
+Tegan Jovanka
+Tegwyll, Duke of Splendor
+Tegwyll's Scouring
+Tek
+Tekuthal, Inquiry Dominus
+Telekinesis
+Telekinetic Sliver
+Telemin Performance
+Telepathic Spies
+Teleport
+Teleportal
+Teleportation Circle
+Telethopter
+Telim'Tor
+Telim'Tor's Darts
+Tel-Jilad Archers
+Tel-Jilad Chosen
+Tel-Jilad Defiance
+Tel-Jilad Exile
+Tel-Jilad Fallen
+Tel-Jilad Justice
+Tel-Jilad Lifebreather
+Tel-Jilad Outrider
+Tel-Jilad Wolf
+Teller of Tales
+Telling Time
+Tember City
+Temmet, Vizier of Naktamun
+Temper
+Temperamental Oozewagg
+Tempered in Solitude
+Tempered Sliver
+Tempered Steel
+Tempered Veteran
+Tempest Angler
+Tempest Caller
+Tempest Djinn
+Tempest Drake
+Tempest Efreet
+Tempest Hart
+Tempest Harvester
+Tempest of Light
+Tempest Owl
+Templar Knight
+Temple Acolyte
+Temple Altisaur
+Temple Bell
+Temple Elder
+Temple Garden
+Temple of Abandon
+Temple of Aclazotz
+Temple of Atropos
+Temple of Civilization
+Temple of Cultivation
+Temple of Cyclical Time
+Temple of Deceit
+Temple of Enlightenment
+Temple of Epiphany
+Temple of Malady
+Temple of Malice
+Temple of Mystery
+Temple of Plenty
+Temple of Power
+Temple of Silence
+Temple of the Dead
+Temple of the Dragon Queen
+Temple of the False God
+Temple of Triumph
+Temple Thief
+Temp of the Damned
+Temporal Adept
+Temporal Cleansing
+Temporal Distortion
+Temporal Eddy
+Temporal Extortion
+Temporal Firestorm
+Temporal Fissure
+Temporal Isolation
+Temporal Machinations
+Temporal Manipulation
+Temporal Mastery
+Temporal Spring
+Temporal Trespass
+Temporary Insanity
+Temporary Lockdown
+Tempted by the Oriq
+Tempting Contract
+Tempting Witch
+Tempting Wurm
+Tempt with Bunnies
+Tempt with Discovery
+Tempt with Glory
+Tempt with Immortality
+Tempt with Mayhem
+Tempt with Reflections
+Tempt with Treats
+Tempt with Vengeance
+Temur Ascendancy
+Temur Banner
+Temur Battle Rage
+Temur Charger
+Temur Charm
+Temur Runemark
+Temur Sabertooth
+Temur War Shaman
+Tenacious Dead
+Tenacious Hunter
+Tenacious Pup
+Tenacious Tomeseeker
+Tenacious Underdog
+Tenacity
+Tendershoot Dryad
+Tender Wildguide
+Tendo Ice Bridge
+Tendril of the Mycotyrant
+Tendrils of Agony
+Tendrils of Corruption
+Tend the Pests
+Teneb, the Harvester
+Tenement Crasher
+Tentative Connection
+Tenth District Guard
+Tenth District Hero
+Tenth District Legionnaire
+Tenth District Veteran
+Tenuous Truce
+Tenured Inkcaster
+Tenured Oilcaster
+Ten Wizards Mountain
+Tenza, Godo's Maul
+Tephraderm
+Terashi's Cry
+Terashi's Grasp
+Terashi's Verdict
+Terastodon
+Teremko Griffin
+Tergrid, God of Fright
+Tergrid's Lantern
+Terisian Mindbreaker
+Terisiare's Devastation
+Termagant Swarm
+Terminal Agony
+Terminal Moraine
+Terminate
+Termination Facilitator
+Terminus
+Teroh's Faithful
+Teroh's Vanguard
+Terra Eternal
+Terrain Elemental
+Terrain Generator
+Terramorph
+Terramorphic Expanse
+Terra Ravager
+Terra Stomper
+Terravore
+Territorial Allosaurus
+Territorial Baloth
+Territorial Boar
+Territorial Dispute
+Territorial Gorger
+Territorial Hammerskull
+Territorial Hellkite
+Territorial Kavu
+Territorial Maro
+Territorial Roc
+Territorial Scythecat
+Territorial Witchstalker
+Territory Culler
+Territory Forge
+Terror
+Terror Ballista
+Terror of Kruin Pass
+Terror of Mount Velus
+Terror of the Fairgrounds
+Terror of the Peaks
+Terror of Towashi
+Terror Tide
+Terrus Wurm
+Tervigon
+Tesak, Judith's Hellhound
+Teshar, Ancestor's Apostle
+Testament Bearer
+Test of Endurance
+Test of Faith
+Test of Talents
+Tethered Griffin
+Tethered Skirge
+Tethmos High Priest
+Tetravus
+Tetsuko Umezawa, Fugitive
+Tetsuo, Imperial Champion
+Tetsuo Umezawa
+Tetzimoc, Primal Death
+Tetzin, Gnome Champion
+Tevesh Szat, Doom of Fools
+Teyo, Aegis Adept
+Teyo, Geometric Tactician
+Teyo's Lightshield
+Teyo, the Shieldmage
+Teysa, Envoy of Ghosts
+Teysa Karlov
+Teysa of the Ghost Council
+Teysa, Opulent Oligarch
+Teysa, Orzhov Scion
+Teysa, Orzhov Scion Avatar
+Tezzeret, Agent of Bolas
+Tezzeret, Artifice Master
+Tezzeret, Betrayer of Flesh
+Tezzeret, Cruel Machinist
+Tezzeret, Master of Metal
+Tezzeret, Master of the Bridge
+Tezzeret's Ambition
+Tezzeret's Betrayal
+Tezzeret's Gambit
+Tezzeret's Gatebreaker
+Tezzeret's Reckoning
+Tezzeret's Simulacrum
+Tezzeret's Strider
+Tezzeret's Touch
+Tezzeret the Schemer
+Tezzeret the Seeker
+Thada Adel, Acquisitor
+Thalakos Deceiver
+Thalakos Dreamsower
+Thalakos Drifters
+Thalakos Lowlands
+Thalakos Scout
+Thalakos Seer
+Thalakos Sentry
+Thalia and The Gitrog Monster
+Thalia, Guardian of Thraben
+Thalia, Heretic Cathar
+Thalia's Geistcaller
+Thalia's Lancers
+Thalia's Lieutenant
+Thalisse, Reverent Medium
+Thallid
+Thallid Devourer
+Thallid Germinator
+Thallid Omnivore
+Thallid Shell-Dweller
+Thallid Soothsayer
+Thantis, the Warweaver
+Thassa, Deep-Dwelling
+Thassa, God of the Sea
+Thassa's Bounty
+Thassa's Devourer
+Thassa's Emissary
+Thassa's Intervention
+Thassa's Oracle
+Thassa's Rebuff
+Thatcher Revolt
+That's Mine
+That Which Was Taken
+Thaumatic Compass
+Thaumaturge's Familiar
+Thawing Glaciers
+Thayan Evokers
+The Abyss
+The Aesir Escape Valhalla
+The Aether Flues
+The Akroan War
+The Ancient One
+The Animus
+The Antiquities War
+The Apprentice's Folly
+The Archimandrite
+The Argent Etchings
+Theater of Horrors
+The Autonomous Furnace
+The Balrog, Durin's Bane
+The Balrog, Flame of Udûn
+The Balrog of Moria
+The Bath Song
+The Battle of Bywater
+The Beamtown Bullies
+The Bears of Littjara
+The Beast, Deathless Prince
+The Belligerent
+The Biblioplex
+The Binding of the Titans
+The Birth of Meletis
+The Black Breath
+The Black Gate
+The Blackstaff of Waterdeep
+The Bloodsky Massacre
+The Book of Exalted Deeds
+The Book of Vile Darkness
+The Broken Sky
+The Brothers' War
+The Brute
+The Caldaia
+The Capitoline Triad
+The Cauldron of Eternity
+The Cave of Skulls
+The Caves of Androzani
+The Celestial Toymaker
+The Celestus
+The Chase Is On
+The Cheese Stands Alone
+The Cheetah Planet
+The Cinematic Phoenix
+The Circle of Loyalty
+The Conundrum of Bowls
+The Core
+The Council of Four
+The Countdown Is at One
+The Creation of Avacyn
+The Crowd Goes Wild
+The Cruelty of Gix
+The Curse of Fenric
+The Cyber-Controller
+The Dalek Emperor
+The Dark Barony
+The Day of the Doctor
+The Dead Shall Serve
+The Deck of Many Things
+The Dining Car
+The Doctor's Childhood Barn
+The Doctor's Tomb
+The Dragon-Kami Reborn
+The Dross Pits
+The Drum, Mining Facility
+The Eighth Doctor
+The Elder Dragon War
+The Elderspell
+The Eldest Reborn
+The Eleventh Doctor
+The Eleventh Hour
+The End
+The Eon Fog
+The Eternal Wanderer
+The Ever-Changing 'Dane
+The Everflowing Well
+The Face of Boe
+The Fair Basilica
+The Fallen
+The Fall of Kroog
+The Fall of Lord Konda
+The Fate of the Flammable
+The Fertile Lands of Saulvinia
+The Fifteenth Doctor
+The Fifth Doctor
+The Filigree Sylex
+The First Doctor
+The First Eruption
+The First Iroan Games
+The First Sliver
+The First Tyrannic War
+The Five Doctors
+The Flame of Keld
+The Flesh Is Weak
+The Flood of Mars
+The Flux
+The Foretold Soldier
+The Fourteenth Doctor
+The Fourth Doctor
+The Fourth Sphere
+Theft of Dreams
+The Fugitive Doctor
+The Gaffer
+The Girl in the Fireplace
+The Gitrog Monster
+The Gitrog, Ravenous Ride
+The Golden City of Orazca
+The Golden-Gear Colossus
+The Golden Throne
+The Goose Mother
+The Grand Evolution
+The Great Aerie
+The Great Aurora
+The Great Forest
+The Great Henge
+The Great Synthesis
+The Great Work
+The Grey Havens
+The Grim Captain
+The Grim Captain's Locker
+The Haunt of Hightower
+The Hippodrome
+The Hive
+The Horus Heresy
+The Hourglass Coven
+The Hunger Tide Rises
+The Hunter Maze
+The Huntsman's Redemption
+The Immortal Sun
+The Indomitable
+The Infamous Cruelclaw
+The Irencrag
+Their Name Is Death
+Their Number Is Legion
+The Iron Guardian Stirs
+The Kami War
+The Kenriths' Royal Funeral
+The Key to the Vault
+The Lady of Otaria
+The Lady of the Mountain
+The Legend of Arena
+The Locust God
+The Long Reach of Night
+Thelonite Druid
+Thelonite Hermit
+Thelon of Havenwood
+Thelon's Chant
+Thelon's Curse
+The Lost and the Damned
+The Lux Foundation Library
+The Maelstrom
+The Magic Mirror
+The Mana Rig
+The Master, Formed Anew
+The Master, Gallifrey's End
+The Master, Mesmerist
+The Master, Multiplied
+The Master, Transcendent
+The Matrix of Time
+Themberchaud
+The Meathook Massacre
+The Meep
+The Mending of Dominaria
+The Mightstone and Weakstone
+The Mighty Will Fall
+The Millennium Calendar
+The Mimeoplasm
+The Mirari Conjecture
+The Modern Age
+The Moment
+The Monumental Facade
+The Moonbase
+The Most Dangerous Gamer
+The Motherlode, Excavator
+The Mouth of Sauron
+The Mycosynth Gardens
+The Mycotyrant
+The Myriad Pools
+The Necrobloom
+The Night of the Doctor
+The Ninth Doctor
+The Nipton Lottery
+The Odd Acorn Gang
+Théoden, King of Rohan
+The Omenkeel
+The One Ring
+Theoretical Duplication
+The Ozolith
+The Pandorica
+The Parting of the Ways
+The Peregrine Dynamo
+The Phasing of Zhalfir
+The Pieces Are Coming Together
+The Pit
+The Pride of Hull Clade
+The Princess Takes Flight
+The Prismatic Bridge
+The Prydwen, Steel Flagship
+The Pyramid of Mars
+The Rack
+The Rani
+The Raven Man
+The Raven's Warning
+The Reality Chip
+There and Back Again
+The Reaver Cleaver
+The Red Terror
+There Is No Refuge
+The Restoration of Eiganjo
+The Revelations of Ezio
+The Ring Goes South
+The Ringhart Crest
+Thermal Blast
+Thermal Glider
+Thermal Navigator
+Thermo-Alchemist
+Thermokarst
+The Ruinous Powers
+The Scarab God
+The Scorpion God
+The Sea Devils
+The Second Doctor
+The Seedcore
+The Seventh Doctor
+The Shattered States Era
+The Shire
+The Sixth Doctor
+The Skullspore Nexus
+The Sound of Drums
+The Space Family Goblinson
+The Spear of Leonidas
+The Stasis Coffin
+The Stone Brain
+The Surgical Bay
+The Swarmlord
+The Tabernacle at Pendrell Vale
+The Tarrasque
+The Temporal Anchor
+The Tenth Doctor
+The Third Doctor
+The Thirteenth Doctor
+The Three Seasons
+The Tomb of Aclazotz
+The Torment of Gollum
+The Toymaker's Trap
+The Trickster-God's Heist
+The Triumph of Anax
+The True Scriptures
+The Twelfth Doctor
+The Underworld Cookbook
+The Unspeakable
+The Upside Down
+The Ur-Dragon
+The Valeyard
+The Very Soil Shall Shake
+The Wanderer
+The Wandering Emperor
+The Wandering Rescuer
+The War Doctor
+The War Games
+The War in Heaven
+The Watcher in the Water
+The Weatherseed Treaty
+The Wedding of River Song
+The Western Cloud
+The Wilds
+The Wise Mothman
+The Witch's Vanity
+The World Spell
+The World Tree
+The Wretched
+They Went This Way
+The Zephyr Maze
+Thickest in the Thicket
+Thicket Basilisk
+Thicket Crasher
+Thicket Elemental
+Thick-Skinned Goblin
+Thief of Blood
+Thief of Existence
+Thief of Hope
+Thief of Sanity
+Thieves' Fortune
+Thieves' Guild Enforcer
+Thieves' Tools
+Thieving Amalgam
+Thieving Aven
+Thieving Magpie
+Thieving Otter
+Thieving Skydiver
+Thieving Sprite
+Thieving Varmint
+Thijarian Witness
+Thing in the Ice
+Thinking Cap
+Think Twice
+Third Little Pig
+Third Path Iconoclast
+Third Path Savant
+Thirst
+Thirst for Discovery
+Thirst for Knowledge
+Thirst for Meaning
+Thirsting Axe
+Thirsting Bloodlord
+Thirsting Roots
+Thirsting Shade
+This Is How It Ends
+Thistledown Duo
+Thistledown Liege
+Thistledown Players
+This Town Ain't Big Enough
+This World Belongs to Me
+Thopter Architect
+Thopter Arrest
+Thopter Assembly
+Thopter Engineer
+Thopter Foundry
+Thopter Mechanic
+Thopter Shop
+Thopter Spy Network
+Thopter Squadron
+Thornado
+Thornbite Staff
+Thornbow Archer
+Thorncaster Sliver
+Thorned Moloch
+Thorn Elemental
+Thornglint Bridge
+Thornhide Wolves
+Thorn Lieutenant
+Thornling
+Thorn Mammoth
+Thornmantle Striker
+Thorn of Amethyst
+Thorn of the Black Rose
+Thornplate Intimidator
+Thornscape Apprentice
+Thornscape Battlemage
+Thornscape Familiar
+Thornscape Master
+Thorn Thallid
+Thorn-Thrash Viashino
+Thorntooth Witch
+Thornvault Forager
+Thornwatch Scarecrow
+Thornweald Archer
+Thornwind Faeries
+Thornwood Falls
+Thorough Investigation
+Those Who Serve
+Thoughtbind
+Thoughtbound Phantasm
+Thoughtbound Primoc
+Thoughtcast
+Thought Collapse
+Thoughtcutter Agent
+Thought Devourer
+Thought Distortion
+Thought Eater
+Thought Erasure
+Thoughtflare
+Thought Harvester
+Thought-Knot Seer
+Thoughtleech
+Thought Monitor
+Thought Nibbler
+Thought Reflection
+Thoughtrender Lamia
+Thought Scour
+Thoughtseize
+Thought Shucker
+Thought Sponge
+Thought-Stalker Warlock
+Thought-String Analyst
+Thought Vessel
+Thoughtweft Gambit
+Thoughtweft Trio
+Thousand-Faced Shadow
+Thousand-legged Kami
+Thousand Moons Crackshot
+Thousand Moons Infantry
+Thousand Moons Smithy
+Thousand Winds
+Thousand-Year Elixir
+Thousand-Year Storm
+Thraben Charm
+Thraben Doomsayer
+Thraben Exorcism
+Thraben Foulbloods
+Thraben Gargoyle
+Thraben Heretic
+Thraben Inspector
+Thraben Militia
+Thraben Purebloods
+Thraben Sentry
+Thraben Standard Bearer
+Thraben Valiant
+Thraben Watcher
+Thragtusk
+Thrakkus the Butcher
+Thran Dynamo
+Thran Foundry
+Thran Golem
+Thran Lens
+Thran Power Suit
+Thran Quarry
+Thran Spider
+Thran Temporal Gateway
+Thran Tome
+Thran Turbine
+Thran Vigil
+Thran War Machine
+Thrash
+Thrasher Brute
+Thrashing Brontodon
+Thrashing Frontliner
+Thrashing Mossdog
+Thrashing Mudspawn
+Thrashing Wumpus
+Thrash of Raptors
+Thrasios, Triton Hero
+Thrasta, Tempest's Roar
+Thraximundar
+Thraxodemon
+Threadbind Clique
+Threads of Disloyalty
+Threat
+Threaten
+Threats Undetected
+Three Blind Mice
+Three Bowls of Porridge
+Three Dog, Galaxy News DJ
+Three Dreams
+Threefold Signal
+Threefold Thunderhulk
+Three Steps Ahead
+Three Tragedies
+Three Tree City
+Three Tree Mascot
+Three Tree Rootweaver
+Three Tree Scribe
+Three Visits
+Threnody Singer
+Thresher Beast
+Thresher Lizard
+Thrilling Discovery
+Thrilling Encore
+Thrill-Kill Assassin
+Thrill-Kill Disciple
+Thrill of Possibility
+Thrill of the Hunt
+Thriss, Nantuko Primus
+Thrive
+Thriving Bluff
+Thriving Grove
+Thriving Grubs
+Thriving Heath
+Thriving Ibex
+Thriving Isle
+Thriving Moor
+Thriving Rats
+Thriving Rhino
+Thriving Skyclaw
+Thriving Turtle
+Throatseeker
+Throat Slitter
+Thromok the Insatiable
+Throne of Bone
+Throne of Death
+Throne of Eldraine
+Throne of Empires
+Throne of Geth
+Throne of Makindi
+Throne of the God-Pharaoh
+Throne of the Grim Captain
+Throne of the High City
+Throne Warden
+Throttle
+Throw a Line
+Throw from the Saddle
+Thrull Champion
+Thrull Parasite
+Thrull Retainer
+Thrull Surgeon
+Thrummingbird
+Thrumming Stone
+Thrun, Breaker of Silence
+Thrun, the Last Troll
+Thryx, the Sudden Storm
+Thud
+Thumbscrews
+Thunderblade Charge
+Thunderblust
+Thunderbolt
+Thunderbreak Regent
+Thunder Brute
+Thunderclap
+Thunderclap Drake
+Thunderclap Wyvern
+Thundercloud Elemental
+Thundercloud Shaman
+Thunder Dragon
+Thunder Drake
+Thunderfoot Baloth
+Thunderhawk Gunship
+Thunderhead Squadron
+Thunderherd Migration
+Thundering Ceratok
+Thundering Chariot
+Thundering Falls
+Thundering Giant
+Thundering Mightmare
+Thundering Raiju
+Thundering Rebuke
+Thundering Sparkmage
+Thundering Spineback
+Thundering Tanadon
+Thundering Wurm
+Thunderkin Awakener
+Thunder Lasso
+Thundermare
+Thundermaw Hellkite
+Thunder of Hooves
+Thunderous Debut
+Thunderous Might
+Thunderous Orator
+Thunderous Snapper
+Thunderous Wrath
+Thunder Salvo
+Thunderscape Apprentice
+Thunderscape Battlemage
+Thunderscape Familiar
+Thunderscape Master
+Thundersong Trumpeter
+Thunder Spirit
+Thunderstaff
+Thundersteel Colossus
+Thunder Strike
+Thunder-Thrash Elder
+Thunder Totem
+Thundertrap Trainer
+Thunder Wall
+Thunderwave
+Thunderwolf Cavalry
+Thwart the Grave
+Tiamat
+Tiamat's Fanatics
+Tiana, Angelic Mechanic
+Tiana, Ship's Caretaker
+Tibalt, Cosmic Impostor
+Tibalt, Rakish Instigator
+Tibalt's Rager
+Tibalt's Trickery
+Tibalt the Chaotic
+Tibalt, the Fiend-Blooded
+Tibalt, Wicked Tormentor
+Tibor and Lumia
+Ticket Turbotubes
+Ticking Gnomes
+Tidal Barracuda
+Tidal Courier
+Tidal Force
+Tidal Influence
+Tidal Kraken
+Tidal Surge
+Tidal Terror
+Tidebinder Mage
+Tidecaller Mentor
+Tidechannel Pathway
+Tide Drifter
+Tidehollow Sculler
+Tidehollow Strix
+Tide of War
+Tidepool Turtle
+Tide Shaper
+Tide Skimmer
+Tidespout Tyrant
+Tidewalker
+Tidings
+Tidy Conclusion
+Tiefling Outcasts
+Tiger Claws
+Tigereye Cameo
+Tiger-Tribe Hunter
+Tightening Coils
+Tiller Engine
+Tiller of Flesh
+Tilling Treefolk
+Tilonalli's Crown
+Tilonalli's Knight
+Tilonalli's Skinshifter
+Tilonalli's Summoner
+Timbercrown Pathway
+Timber Gorge
+Timberland Ancient
+Timberland Guide
+Timberland Ruins
+Timberline Ridge
+Timbermare
+Timbermaw Larva
+Timberpack Wolf
+Timber Paladin
+Timber Protector
+Timber Shredder
+Timberwatch Elf
+Timber Wolves
+Time Beetle
+Time Bomb
+Time Distortion
+Time Ebb
+Timeless Dragon
+Timeless Lotus
+Timeless Witness
+Time Lord Regeneration
+Timely Hordemate
+Timely Reinforcements
+Time of Heroes
+Time of Ice
+Time of Need
+Time Out
+Time Reaper
+Time Reversal
+Time Sidewalk
+Time Sieve
+Timesifter
+Time Spiral
+Timestream Navigator
+Time Stretch
+Time to Feed
+Time to Reflect
+Timetwister
+Time Vault
+Time Walk
+Time Warp
+Time Wipe
+Timin, Youthful Geist
+Timmerian Fiends
+Timmy, Power Gamer
+Timothar, Baron of Bats
+Tine Shrike
+Tinker
+Tinker's Tote
+Tin Street Cadet
+Tin Street Dodger
+Tin Street Gossip
+Tin Street Hooligan
+Tinybones Joins Up
+Tinybones, the Pickpocket
+Tinybones, Trinket Thief
+Tireless Angler
+Tireless Hauler
+Tireless Missionaries
+Tireless Provisioner
+Tireless Tracker
+Tireless Tribe
+Tishana's Tidebinder
+Tishana's Wayfinder
+Tishana, Voice of Thunder
+Titan Forge
+Titan Hunter
+Titania
+Titania, Gaea Incarnate
+Titania, Nature's Force
+Titania, Protector of Argoth
+Titania's Boon
+Titania's Chosen
+Titania's Command
+Titania's Song
+Titania, Voice of Gaea
+Titanic Brawl
+Titanic Bulvox
+Titanic Growth
+Titanic Pelagosaur
+Titanic Ultimatum
+Titanium Golem
+Titan of Eternal Fire
+Titan of Industry
+Titan of Littjara
+Titanoth Rex
+Titan's Revenge
+Titan's Strength
+Titans' Vanguard
+Tithe
+Tithebearer Giant
+Tithe Drinker
+Tithe Taker
+Tithing Blade
+Tivadar of Thorn
+Tivadar's Crusade
+Tivash, Gloom Summoner
+Tivit, Seller of Secrets
+Tizerus Charger
+Tlincalli Hunter
+Toadstool Admirer
+To Arms!
+Tobias Andrion
+Tobias, Doomed Conqueror
+Tobita, Master of Winds
+Toby, Beastie Befriender
+Tocasia, Dig Site Mentor
+Tocasia's Dig Site
+Tocasia's Onulet
+Tocasia's Welcome
+Tocatli Honor Guard
+Together Forever
+Toggo, Goblin Weaponsmith
+Toil
+Toil to Renown
+Tok-Tok, Volcano Born
+Tolaria
+Tolarian Academy
+Tolarian Contempt
+Tolarian Drake
+Tolarian Emissary
+Tolarian Entrancer
+Tolarian Geyser
+Tolarian Kraken
+Tolarian Scholar
+Tolarian Sentinel
+Tolarian Serpent
+Tolarian Terror
+Toll of the Invasion
+Tolsimir, Friend to Wolves
+Tolsimir, Midnight's Light
+Tolsimir Wolfblood
+Toluz, Clever Conductor
+Tomakul Honor Guard
+Tomakul Phoenix
+Tomakul Scrapsmith
+Tomb Blade
+Tombfire
+Tomb Fortress
+Tomb Hex
+Tomb of Annihilation
+Tomb of Horrors Adventurer
+Tomb of the Dusk Rose
+Tomb of the Spirit Dragon
+Tom Bombadil
+Tombstalker
+Tombstone Stairwell
+Tomb Trawler
+Tomb Tyrant
+Tome Anima
+Tomebound Lich
+Tome of Gadwick
+Tome of Legends
+Tome of the Guildpact
+Tome of the Infinite
+Tome Raider
+Tome Scour
+Tome Shredder
+Tomik, Distinguished Advokist
+Tomik, Wielder of Law
+Tomoya the Revealer
+Tonic Peddler
+Too Greedily, Too Deep
+Took Reaper
+Toolcraft Exemplar
+Tooth and Claw
+Tooth and Nail
+Tooth, Claw, and Tail
+Tooth Collector
+Tooth of Chiss-Goria
+Toothy, Imaginary Friend
+Topan Ascetic
+Topan Freeblade
+Topaz Dragon
+Topiary Panther
+Topiary Stomper
+Topography Tracker
+Topple
+Topplegeist
+Topple the Statue
+Topsy Turvy
+Toralf, God of Fury
+Toralf's Disciple
+Toralf's Hammer
+Torbran, Thane of Red Fell
+Torch Breath
+Torch Courier
+Torch Drake
+Torch Fiend
+Torch Gauntlet
+Torch Slinger
+Torch Song
+Torch the Tower
+Torch the Witness
+Torens, Fist of the Angels
+Torgaar, Famine Incarnate
+Tor Giant
+Tori D'Avenant, Fury Rider
+Torii Watchward
+Torment
+Tormented Angel
+Tormented Hero
+Tormented Pariah
+Tormented Soul
+Tormented Thoughts
+Tormenting Voice
+Torment of Hailfire
+Torment of Scarabs
+Torment of Venom
+Tormentor Exarch
+Tormentor's Helm
+Tormentor's Trident
+Tormod's Crypt
+Tormod's Cryptkeeper
+Tormod, the Desecrator
+Tornado Elemental
+Tornellan Protector
+Torpor Dust
+Torpor Orb
+Torrent Elemental
+Torrential Gearhulk
+Torrent of Fire
+Torrent of Lava
+Torrent of Souls
+Torrent of Stone
+Torrent Sculptor
+Torsten, Founder of Benalia
+Torsten Von Ursus
+Torture
+Tor Wauki
+Tor Wauki the Younger
+Toshiro Umezawa
+Toski, Bearer of Secrets
+Totally Lost
+Totem-Guide Hartebeest
+Totem Speaker
+Totentanz, Swarm Piper
+To the Slaughter
+Touch of Brilliance
+Touch of Death
+Touch of Invisibility
+Touch of Moonglove
+Touch of the Eternal
+Touch of the Void
+Touchstone
+Touch the Spirit Realm
+Tough Cookie
+Tourach, Dread Cantor
+Tourach's Canticle
+Tourach's Chant
+Tourach's Gate
+Tournament Grounds
+Tovolar, Dire Overlord
+Tovolar's Huntmaster
+Tovolar's Magehunter
+Tovolar's Packleader
+Tovolar, the Midnight Scourge
+Towashi
+Towashi Guide-Bot
+Towashi Songshaper
+Tower Above
+Tower Drake
+Tower Gargoyle
+Tower Geist
+Towering Baloth
+Towering Gibbon
+Towering Indrik
+Towering Thunderfist
+Towering Titan
+Towering Viewpoint
+Towering-Wave Mystic
+Tower of Calamities
+Tower of Champions
+Tower of Coireall
+Tower of Eons
+Tower of Fortunes
+Tower of Murmurs
+Tower of the Magistrate
+Tower Winder
+Tower Worker
+Town Gossipmonger
+Town-Razer Tyrant
+Town Sentry
+Toxic Abomination
+Toxic Iguanar
+Toxic Nim
+Toxicrene
+Toxic Scorpion
+Toxic Stench
+Toxin Analysis
+Toxin Sliver
+Toxrill, the Corrosive
+Toymaker
+Track Down
+Tracker
+Tracker's Instincts
+Trade Caravan
+Trade Secrets
+Tradewind Rider
+Tradewind Rider Avatar
+Tragic Fall
+Tragic Lesson
+Tragic Poet
+Tragic Slip
+Trailblazer
+Trailblazer's Boots
+Trailblazer's Torch
+Trailblazing Historian
+Trail of Crumbs
+Trail of Evidence
+Trail of Mystery
+Trail of the Mage-Rings
+Trailtracker Scout
+Trained Armodon
+Trained Arynx
+Trained Caracal
+Trained Cheetah
+Trained Condor
+Trained Jackal
+Trained Orgg
+Trained Pronghorn
+Training Center
+Training Drone
+Training Grounds
+Train of Thought
+Train Troops
+Traitorous Blood
+Traitorous Greed
+Traitorous Instinct
+Traitor's Clutch
+Traitor's Roar
+Tramway Station
+Tranquil Cove
+Tranquil Domain
+Tranquil Expanse
+Tranquil Garden
+Tranquil Grove
+Tranquility
+Tranquilize
+Tranquil Landscape
+Tranquil Path
+Tranquil Thicket
+Transcendence
+Transcendent Envoy
+Transcendent Master
+Transcendent Message
+Transgress the Mind
+Transguild Courier
+Transguild Promenade
+Transmogrant Altar
+Transmogrant's Crown
+Transmogrify
+Transmogrifying Wand
+Transmutation Font
+Transmute Artifact
+Transplant Theorist
+Trap Digger
+Trap Essence
+Trapfinder's Trick
+Trapjaw Kelpie
+Trapjaw Tyrant
+Trapmaker's Snare
+Trapped in the Tower
+Traproot Kami
+Trap Runner
+Trap the Trespassers
+Trash Bin
+Trash the Town
+Traumatic Prank
+Traumatic Revelation
+Traumatic Visions
+Traumatize
+Traveler's Amulet
+Traveler's Cloak
+Traveling Minister
+Traveling Philosopher
+Traveling Plague
+Travel Preparations
+Travel Through Caradhras
+Traverse Eternity
+Traverse the Outlands
+Traverse the Ulvenwald
+Trawler Drake
+Traxos, Scourge of Kroog
+Trazyn the Infinite
+Treacherous Blessing
+Treacherous Greed
+Treacherous Pit-Dweller
+Treacherous Urge
+Treacherous Werewolf
+Treachery
+Tread Upon
+Treason of Isengard
+Treasonous Ogre
+Treasure Chest
+Treasure Cove
+Treasure Cruise
+Treasured Find
+Treasure Dredger
+Treasure Hunt
+Treasure Hunter
+Treasure Keeper
+Treasure Mage
+Treasure Map
+Treasure Nabber
+Treasure Trove
+Treasure Vault
+Treasury Thrull
+Treats to Share
+Treebeard, Gracious Host
+Treefolk Harbinger
+Treefolk Healer
+Treefolk Mystic
+Treefolk Seedlings
+Treefolk Umbra
+Treeguard Duo
+Tree Monkey
+Tree of Perdition
+Tree of Redemption
+Tree of Tales
+Treeshaker Chimera
+Treespring Lorian
+Treetop Ambusher
+Treetop Bracers
+Treetop Rangers
+Treetop Scout
+Treetop Sentinel
+Treetop Sentries
+Treetop Village
+Treetop Warden
+Trelasarra, Moon Dancer
+Tremble
+Tremor
+Trench Behemoth
+Trenchpost
+Trench Stalker
+Trench Wurm
+Trenzalore Clocktower
+Trepanation Blade
+Trespasser il-Vec
+Trespasser's Curse
+Trespassing Souleater
+Tresserhorn Sinks
+Tresserhorn Skyknight
+Trestle Troll
+Treva's Ruins
+Treva, the Renewer
+Trial of Ambition
+Trial of a Time Lord
+Trial of Knowledge
+Trial of Solidarity
+Trial of Strength
+Trial of Zeal
+Triarch Praetorian
+Triarch Stalker
+Tribal Flames
+Tribal Forcemage
+Tribal Golem
+Tribune of Rot
+Tributary Instructor
+Tribute Mage
+Tribute to Horobi
+Tribute to Hunger
+Tribute to the Wild
+Tribute to the World Tree
+Tribute to Urborg
+Trick Shot
+Tricks of the Trade
+Trickster's Elk
+Trickster's Talisman
+Triclopean Sight
+Trigon of Corruption
+Trigon of Infestation
+Trigon of Mending
+Trigon of Rage
+Trigon of Thought
+Trinisphere
+Trinket Mage
+Triplicate Spirits
+Triplicate Titan
+Trip Noose
+Trip Wire
+Triskaidekaphile
+Triskaidekaphobia
+Triskelavus
+Triskelion
+Triton Cavalry
+Triton Fortune Hunter
+Triton Shorestalker
+Triton Shorethief
+Triton Wavebreaker
+Triton Waverider
+Triumphant Adventurer
+Triumphant Chomp
+Triumphant Getaway
+Triumphant Reckoning
+Triumphant Surge
+Triumph of Cruelty
+Triumph of Ferocity
+Triumph of Gerrard
+Triumph of Saint Katherine
+Triumph of the Hordes
+Trokin High Guard
+Troll Ascetic
+Trollbred Guardian
+Trollhide
+Troll-Horn Cameo
+Troll of Khazad-dûm
+Trolls of Tel-Jilad
+Tromokratis
+Tromp the Domains
+Trophy Hunter
+Trophy Mage
+Tropical Island
+Trostani Discordant
+Trostani, Selesnya's Voice
+Trostani's Judgment
+Trostani's Summoner
+Trostani, Three Whispers
+Trouble
+Trouble in Pairs
+Troublemaker Ouphe
+Troublesome Spirit
+Trove Mage
+Trove of Temptation
+Trove Tracker
+Trove Warden
+Troyan, Gutsy Explorer
+Trudge Garden
+True Believer
+True Conviction
+True-Faith Censer
+Truefire Captain
+Truefire Paladin
+Trueheart Duelist
+Trueheart Twins
+True Identity
+True Love's Kiss
+True-Name Nemesis
+True Polymorph
+Trufflesnout
+Truga Cliffcharger
+Truga Jungle
+Trumpet Blast
+Trumpeting Armodon
+Trumpeting Carnosaur
+Trumpeting Gnarr
+Trumpeting Herd
+Trusted Forcemage
+Trusted Pegasus
+Trustworthy Scout
+Trusty Companion
+Trusty Machete
+Trusty Packbeast
+Trusty Retriever
+Truth or Consequences
+Truth or Tale
+Trygon Predator
+Trygon Prime
+Trynn, Champion of Freedom
+Tsabo's Assassin
+Tsabo's Web
+Tsabo Tavoc
+Tsunami
+Tuinvale Guide
+Tuinvale Treefolk
+Tukatongue Thallid
+Tuknir Deathlock
+Tuktuk Grunts
+Tuktuk Rubblefort
+Tuktuk Scrapper
+Tuktuk the Explorer
+Tumble
+Tumble Magnet
+Tumbleweed Rising
+Tundra
+Tundra Fumarole
+Tundra Wolves
+Tune the Narrative
+Tunnel
+Tunneler Wurm
+Tunnel Ignus
+Tunneling Geopede
+Tunnel Tipster
+Tura Kennerüd, Skyknight
+Turf War
+Turf Wound
+Turn
+Turn Against
+Turn Aside
+Turn into a Pumpkin
+Turn the Earth
+Turn the Tables
+Turn the Tide
+Turntimber Ascetic
+Turntimber Basilisk
+Turntimber Grove
+Turntimber Ranger
+Turntimber, Serpentine Wood
+Turntimber Sower
+Turntimber Symbiosis
+Turn to Dust
+Turn to Mist
+Turn to Slag
+Turret Ogre
+Turri Island
+Tusked Colossodon
+Tuskeri Firewalker
+Tuskguard Captain
+Tuvasa the Sunlit
+Tuya Bearclaw
+Twenty-Toed Toad
+Twice the Rage
+Twice Upon a Time
+Twigwalker
+Twilight Drover
+Twilight Panther
+Twilight Prophet
+Twilight's Call
+Twilight Shepherd
+Twinblade Assassins
+Twinblade Geist
+Twinblade Invocation
+Twinblade Paladin
+Twinblade Slasher
+Twin Bolt
+Twincast
+Twinferno
+Twinflame
+Twining Twins
+Twinning Staff
+Twinscroll Shaman
+Twinshot Sniper
+Twin-Silk Spider
+Twins of Discord
+Twins of Maurer Estate
+Twinstrike
+Twisted Abomination
+Twisted Embrace
+Twisted Experiment
+Twisted Fealty
+Twisted Justice
+Twisted Landscape
+Twisted Reflection
+Twisted Riddlekeeper
+Twisted Sewer-Witch
+Twists and Turns
+Twitching Doll
+Two-Handed Axe
+Two-Headed Cerberus
+Two-Headed Dragon
+Two-Headed Giant
+Two-Headed Giant of Foriys
+Two-Headed Giant of Foriys Avatar
+Two-Headed Hellkite
+Two-Headed Hunter
+Two-Headed Sliver
+Two-Headed Zombie
+Two Streams Facility
+Tymaret Calls the Dead
+Tymaret, Chosen from Death
+Tymaret, the Murder King
+Tymna the Weaver
+Tymora's Invoker
+Typhoid Rats
+Typhoon
+Tyranid Harridan
+Tyranid Invasion
+Tyranid Prime
+Tyrannical Pitlord
+Tyrannize
+Tyrant Guard
+Tyrant of Discord
+Tyrant of Kher Ridges
+Tyrant of Valakut
+Tyrant's Choice
+Tyrant's Familiar
+Tyrant's Machine
+Tyrant's Scorn
+Tyrite Sanctum
+Tyrranax
+Tyrranax Atrocity
+Tyrranax Rex
+Tyr's Blesing
+Tyvar, Jubilant Brawler
+Tyvar Kell
+Tyvar's Stand
+Tyvar the Bellicose
+Tzaangor Shaman
+Uba Mask
+Ubul Sar Gatekeepers
+Uchbenbak, the Great Mistake
+Uchuulon
+Ugin's Binding
+Ugin's Conjurant
+Ugin's Construct
+Ugin's Insight
+Ugin's Labyrinth
+Ugin's Mastery
+Ugin's Nexus
+Ugin, the Ineffable
+Ugin, the Spirit Dragon
+Uglúk of the White Hand
+Ukkima, Stalking Shadow
+Uktabi Drake
+Uktabi Efreet
+Uktabi Faerie
+Uktabi Kong
+Uktabi Orangutan
+Uktabi Wildcats
+Ukud Cobra
+Ulalek, Fused Atrocity
+Ulamog's Crusher
+Ulamog's Despoiler
+Ulamog's Dreadsire
+Ulamog's Nullifier
+Ulamog's Reclaimer
+Ulamog, the Ceaseless Hunger
+Ulamog, the Defiler
+Ulamog, the Infinite Gyre
+Ulasht, the Hate Seed
+Ulcerate
+Ulder Ravengard, Marshal
+Ulrich of the Krallenhorde
+Ulrich's Kindred
+Ulrich, Uncontested Alpha
+Ultimate Price
+Ultra Magnus, Armored Carrier
+Ultra Magnus, Tactician
+Ultramarines Honour Guard
+Ulvenwald Abomination
+Ulvenwald Bear
+Ulvenwald Behemoth
+Ulvenwald Captive
+Ulvenwald Hydra
+Ulvenwald Mysteries
+Ulvenwald Mystics
+Ulvenwald Observer
+Ulvenwald Oddity
+Ulvenwald Primordials
+Umara Entangler
+Umara Mystic
+Umara Raptor
+Umara Skyfalls
+Umara Wizard
+Umbilicus
+Umbral Juke
+Umbral Mantle
+Umbra Mystic
+Umbra Stalker
+Umbris, Fear Manifest
+Umezawa's Charm
+Umezawa's Jitte
+Umori, the Collector
+Unassuming Sage
+Unauthorized Exit
+Unblinking Bleb
+Unblinking Observer
+Unbounded Potential
+Unbound Flourishing
+Unbreakable Bond
+Unbreakable Formation
+Unbreathing Horde
+Unbridled Growth
+Unburden
+Unburial Rites
+Uncaged Fury
+Uncanny Speed
+Unchained Berserker
+Uncharted Haven
+Unchecked Growth
+Uncivil Unrest
+Unclaimed Territory
+Uncle Istvan
+Uncomfortable Chill
+Uncontrollable Anger
+Uncontrolled Infestation
+Unconventional Tactics
+Uncovered Clues
+Unctus, Grand Metatect
+Unctus's Retrofitter
+Undead Alchemist
+Undead Augur
+Undead Butler
+Undead Executioner
+Undead Gladiator
+Undead Leotau
+Undead Minotaur
+Undead Servant
+Undead Slayer
+Undead Warchief
+Underbridge Warlock
+Undercellar Myconid
+Undercellar Sweep
+Undercity
+Undercity Eliminator
+Undercity Informer
+Undercity Necrolisk
+Undercity Plague
+Undercity Plunder
+Undercity Reaches
+Undercity Scavenger
+Undercity Scrounger
+Undercity's Embrace
+Undercity Sewers
+Undercity Shade
+Undercity Troll
+Undercity Upheaval
+Undercity Uprising
+Undercover Butler
+Undercover Crocodelf
+Undercover Operative
+Underdark Basilisk
+Underdark Beholder
+Underdark Explorer
+Underdark Rift
+Underground Mortuary
+Underground River
+Underground Sea
+Undergrowth Champion
+Undergrowth Recon
+Undergrowth Scavenger
+Undergrowth Stadium
+Underhanded Designs
+Undermine
+Undermountain Adventurer
+Underrealm Lich
+Undersea Invader
+Undersimplify
+Undertaker
+Undertow
+Underworld Breach
+Underworld Cerberus
+Underworld Charger
+Underworld Coinsmith
+Underworld Connections
+Underworld Dreams
+Underworld Fires
+Underworld Hermit
+Underworld Rage-Hound
+Underworld Sentinel
+Undiscovered Paradise
+Undo
+Undying Beast
+Undying Malice
+Undying Rage
+Unearth
+Unesh, Criosphinx Sovereign
+Unexpected Allies
+Unexpected Conversion
+Unexpected Fangs
+Unexpectedly Absent
+Unexpected Potential
+Unexpected Results
+Unexpected Windfall
+Unexplained Absence
+Unexplained Disappearance
+Unexplained Vision
+Unfathomable Truths
+Unfinished Business
+Unflinching Courage
+Unforge
+Unforgiving One
+Unfortunate Accident
+Unfriendly Fire
+Unhallowed Cathar
+Unhallowed Pact
+Unhallowed Phalanx
+Unhinge
+Unholy Citadel
+Unholy Fiend
+Unholy Grotto
+Unholy Heat
+Unholy Hunger
+Unholy Indenture
+Unholy Officiant
+Unholy Strength
+Unicycle
+Unified Front
+Unified Strike
+Unified Will
+Unifying Theory
+Unimpeded Trespasser
+Uninvited Geist
+Union of the Third Path
+Unite the Coalition
+UNIT Headquarters
+Unity of Purpose
+Universal Automaton
+Universal Solvent
+Universal Surveillance
+Unknown Shores
+Unleash Fury
+Unleash Shell
+Unleash the Flux
+Unleash the Inferno
+Unlicensed Disintegration
+Unlicensed Hearse
+Unlikely Aid
+Unlikely Meeting
+Unliving Psychopath
+Unlucky Drop
+Unlucky Witness
+Unmake
+Unmake the Graves
+Unmarked Grave
+Unmoored Ego
+Unnatural Aggression
+Unnatural Endurance
+Unnatural Growth
+Unnatural Hunger
+Unnatural Moonrise
+Unnatural Predation
+Unnatural Restoration
+Unnatural Speed
+Unnerve
+Unpredictable Cyclone
+Unquenchable Fury
+Unquenchable Thirst
+Unquestioned Authority
+Unraveling Mummy
+Unravel the Aether
+Unruly Catapult
+Unruly Krasis
+Unruly Mob
+Unscrupulous Agent
+Unscrupulous Contractor
+Unscythe, Killer of Kings
+Unseal the Necropolis
+Unseen Walker
+Unsettled Mariner
+Unshakable Tail
+Unstable Amulet
+Unstable Glyphbridge
+Unstable Hulk
+Unstable Mutation
+Unstable Obelisk
+Unstable Shapeshifter
+Unstoppable Ash
+Unstoppable Ogre
+Unsubstantiate
+Unsummon
+Untaidake, the Cloud Keeper
+Untamed Hunger
+Untamed Kavu
+Untamed Might
+Untamed Pup
+Untamed Wilds
+Untethered Express
+Unwavering Initiate
+Unwilling Ingredient
+Unwilling Recruit
+Unwind
+Unwinding Clock
+Unworthy Dead
+Unyaro
+Unyaro Bees
+Unyaro Bee Sting
+Unyaro Griffin
+Unyielding Gatekeeper
+Unyielding Krumar
+Updraft
+Updraft Elemental
+Upheaval
+Uphill Battle
+Upriser Renegade
+Uproot
+Up the Beanstalk
+Upwelling
+Urabrask
+Urabrask, Heretic Praetor
+Urabrask's Anointer
+Urabrask's Forge
+Urabrask the Hidden
+Urban Burgeoning
+Urban Daggertooth
+Urban Evolution
+Urban Utopia
+Urbis Protector
+Urborg Drake
+Urborg Elf
+Urborg Emissary
+Urborg Justice
+Urborg Lhurgoyf
+Urborg Mindsucker
+Urborg Phantom
+Urborg Repossession
+Urborg Scavengers
+Urborg Shambler
+Urborg Skeleton
+Urborg Stalker
+Urborg Syphon-Mage
+Urborg, Tomb of Yawgmoth
+Urborg Uprising
+Urborg Volcano
+Ur-Drago
+Urgent Exorcism
+Urgent Necropsy
+Urge to Feed
+Ur-Golem's Eye
+Urgoros, the Empty One
+Uril, the Miststalker
+Urn of Godfire
+Uro, Titan of Nature's Wrath
+Ursapine
+Ursine Champion
+Ursine Fylgja
+Urtet, Remnant of Memnarch
+Uruk-hai Berserker
+Urza
+Urza, Academy Headmaster
+Urza Assembles the Titans
+Urza, Chief Artificer
+Urza, Lord High Artificer
+Urza, Lord Protector
+Urza, Planeswalker
+Urza, Powerstone Prodigy
+Urza, Prince of Kroog
+Urza's Armor
+Urza's Blueprints
+Urza's Cave
+Urza's Chalice
+Urza's Command
+Urza's Construction Drone
+Urza's Engine
+Urza's Factory
+Urza's Filter
+Urza's Guilt
+Urza's Incubator
+Urza's Mine
+Urza's Miter
+Urza's Power Plant
+Urza's Rage
+Urza's Rebuff
+Urza's Ruinous Blast
+Urza's Saga
+Urza's Science Fair Project
+Urza's Sylex
+Urza's Tome
+Urza's Tower
+Urza's Workshop
+Usher of the Fallen
+Usher to Safety
+Uthden Troll
+Uthgardt Fury
+Utility Knife
+Utopia Mycon
+Utopia Tree
+Utopia Vow
+Utter End
+Utter Insignificance
+Utvara Hellkite
+Utvara Scalper
+Uurg, Spawn of Turg
+Uvilda, Dean of Perfection
+Uyo, Silent Prophet
+Vacuumelt
+Vadmir, New Blood
+Vadrik, Astral Archmage
+Vadrok, Apex of Thunder
+Vaevictis Asmadi
+Vaevictis Asmadi, the Dire
+Vagrant Plowbeasts
+Valakut Awakening
+Valakut Exploration
+Valakut Fireboar
+Valakut Invoker
+Valakut Predator
+Valakut Stoneforge
+Valakut, the Molten Pinnacle
+Valduk, Keeper of the Flame
+Valentin, Dean of the Vein
+Valeron Outlander
+Valeron Wardens
+Valiant Batrider
+Valiant Changeling
+Valiant Endeavor
+Valiant Farewell
+Valiant Guard
+Valiant Knight
+Valiant Rescuer
+Valiant Veteran
+Valki, God of Lies
+Valkmira, Protector's Shield
+Valkyrie Harbinger
+Valkyrie's Sword
+Valley Dasher
+Valley Flamecaller
+Valley Floodcaller
+Valley Mightcaller
+Valley Questcaller
+Valley Rally
+Valley Rannet
+Valley Rotcaller
+Valor
+Valor in Akros
+Valor of the Worthy
+Valorous Charge
+Valorous Stance
+Valorous Steed
+Valor Singer
+Valor's Reach
+Valor's Reach Tag Team
+Vampire Aristocrat
+Vampire Bats
+Vampire Champion
+Vampire Charmseeker
+Vampire Cutthroat
+Vampire Envoy
+Vampire Hexmage
+Vampire Hounds
+Vampire Interloper
+Vampire Neonate
+Vampire Nighthawk
+Vampire Noble
+Vampire Nocturnus
+Vampire Nocturnus Avatar
+Vampire of the Dire Moon
+Vampire Opportunist
+Vampire Outcasts
+Vampire Revenant
+Vampire's Bite
+Vampire Scrivener
+Vampire's Kiss
+Vampire Slayer
+Vampire Socialite
+Vampire Sovereign
+Vampire Spawn
+Vampires' Vengeance
+Vampire's Zeal
+Vampiric Dragon
+Vampiric Embrace
+Vampiric Feast
+Vampiric Fury
+Vampiric Link
+Vampiric Rites
+Vampiric Sliver
+Vampiric Spirit
+Vampiric Touch
+Vance's Blasting Cannons
+Vandalblast
+Vandalize
+Vanguard of Brimaz
+Vanguard of the Rose
+Vanguard's Shield
+Vanguard Suppressor
+Vanishing Verse
+Vanish into Eternity
+Vanishment
+Vannifar, Evolved Enigma
+Vanquish
+Vanquisher's Axe
+Vanquisher's Banner
+Vanquish the Foul
+Vanquish the Horde
+Vanquish the Weak
+Vantress Gargoyle
+Vantress Paladin
+Vantress Transmuter
+Vantress Visions
+Vaporkin
+Vaporous Djinn
+Vapor Snag
+Vapor Snare
+Varchild, Betrayer of Kjeldor
+Varchild's War-Riders
+Varina, Lich Queen
+Varis, Silverymoon Ranger
+Varolz, the Scar-Striped
+Varragoth, Bloodsky Sire
+Vashta Nerada
+Vassal Soul
+Vastwood Animist
+Vastwood Fortification
+Vastwood Gorger
+Vastwood Hydra
+Vastwood Surge
+Vastwood Thicket
+Vastwood Zendikon
+Vat Emergence
+Vat of Rebirth
+V.A.T.S.
+Vault 101: Birthday Party
+Vault 112: Sadistic Simulation
+Vault 11: Voter's Dilemma
+Vault 12: The Necropolis
+Vault 13: Dweller's Journey
+Vault 75: Middle School
+Vault 87: Forced Evolution
+Vaultborn Tyrant
+Vaultbreaker
+Vault of Catlacan
+Vault of Champions
+Vault of the Archangel
+Vault of Whispers
+Vault Plunderer
+Vault Robber
+Vault Skirge
+Vault Skyward
+Vazal, the Compleat
+Vazi, Keen Negotiator
+Vebulid
+Vectis Agents
+Vectis Dominator
+Vectis Gloves
+Vectis Silencers
+Vector Asp
+Vector Glider
+Vec Townships
+Vedalken Aethermage
+Vedalken Anatomist
+Vedalken Archmage
+Vedalken Blademaster
+Vedalken Certarch
+Vedalken Dismisser
+Vedalken Engineer
+Vedalken Entrancer
+Vedalken Ghoul
+Vedalken Heretic
+Vedalken Humiliator
+Vedalken Infiltrator
+Vedalken Infuser
+Vedalken Mastermind
+Vedalken Mesmerist
+Vedalken Orrery
+Vedalken Outlander
+Vedalken Shackles
+Vega, the Watcher
+Vegetation Abomination
+Veilborn Ghoul
+Veiled Apparition
+Veiled Ascension
+Veiled Crocodile
+Veiled Sentry
+Veiled Serpent
+Veiled Shade
+Veiling Oddity
+Veil of Assimilation
+Veil of Birds
+Veil of Summer
+Veilstone Amulet
+Vein Drinker
+Veinfire Borderpost
+Vein Ripper
+Veinwitch Coven
+Veko, Death's Doorkeeper
+Vela the Night-Clad
+Veldrane of Sengir
+Veldt
+Velis Vel
+Velomachus Lorehold
+Velukan Dragon
+Venarian Gold
+Vendetta
+Vendilion Clique
+Venerable Knight
+Venerable Kumo
+Venerable Lammasu
+Venerable Monk
+Venerable Warsinger
+Venerated Loxodon
+Venerated Rotpriest
+Venerated Teacher
+Vengeance
+Vengeant Earth
+Vengeant Vampire
+Vengeful Ancestor
+Vengeful Creeper
+Vengeful Dead
+Vengeful Devil
+Vengeful Firebrand
+Vengeful Pharaoh
+Vengeful Reaper
+Vengeful Rebel
+Vengeful Rebirth
+Vengeful Regrowth
+Vengeful Strangler
+Vengeful Townsfolk
+Vengeful Tracker
+Vengeful Vampire
+Vengeful Warchief
+Vengevine
+Venom
+Venom Connoisseur
+Venomcrawler
+Venomous Brutalizer
+Venomous Changeling
+Venomous Dragonfly
+Venomous Fangs
+Venomous Hierophant
+Venomous Vines
+Venom Sliver
+Venomspout Brackus
+Venomthrope
+Venser, Corpse Puppet
+Venser's Diffusion
+Venser, Shaper Savant
+Venser's Journal
+Venser's Sliver
+Vent Sentinel
+Venture Deeper
+Venture Forth
+Verazol, the Split Current
+Verdant Automaton
+Verdant Catacombs
+Verdant Command
+Verdant Confluence
+Verdant Crescendo
+Verdant Embrace
+Verdant Field
+Verdant Force
+Verdant Mastery
+Verdant Outrider
+Verdant Rejuvenation
+Verdant Succession
+Verdant Sun's Avatar
+Verdant Touch
+Verdeloth the Ancient
+Verdigris
+Verduran Emissary
+Verduran Enchantress
+Verdurous Gearhulk
+Verge Rangers
+Verity Circle
+Verix Bladewing
+Vermiculos
+Vermin Gorger
+Vernadi Shieldmate
+Vernal Bloom
+Vernal Equinox
+Vernal Sovereign
+Veronica, Dissident Scribe
+Verrak, Warped Sengir
+Vertex Paladin
+Vertigo
+Vertigo Spawn
+Vesper Ghoul
+Vesperlark
+Vessel of Endless Rest
+Vessel of Ephemera
+Vessel of Malignity
+Vessel of Nascency
+Vessel of Paramnesia
+Vessel of the All-Consuming
+Vessel of Volatility
+Vestige of Emrakul
+Vesuva
+Vesuvan Doppelganger
+Vesuvan Drifter
+Vesuvan Duplimancy
+Vesuvan Mist
+Vesuvan Shapeshifter
+Veteran Adventurer
+Veteran Armorer
+Veteran Armorsmith
+Veteran Bodyguard
+Veteran Brawlers
+Veteran Cathar
+Veteran Cavalier
+Veteran Charger
+Veteran Dungeoneer
+Veteran Explorer
+Veteran Ghoulcaller
+Veteran Guardmouse
+Veteran Motorist
+Veteran of the Depths
+Veteran's Armaments
+Veteran Soldier
+Veteran's Powerblade
+Veteran's Reflexes
+Veteran's Sidearm
+Veteran Swordsmith
+Veteran Warleader
+Vex
+Vexilus Praetor
+Vexing Bauble
+Vexing Beetle
+Vexing Devil
+Vexing Gull
+Vexing Puzzlebox
+Vexing Radgull
+Vexing Scuttler
+Vexing Sphinx
+Vexyr, Ich-Tekik's Heir
+Veyran, Voice of Duality
+Vhal, Candlekeep Researcher
+Vhal, Eager Scholar
+Vhal, Scholar of Creation
+Vhal, Scholar of Elements
+Vhal, Scholar of Mortality
+Vhal, Scholar of Prophecy
+Vhal, Scholar of Tactics
+Vhati il-Dal
+Vial of Dragonfire
+Vial of Poison
+Vial Smasher, Gleeful Grenadier
+Vial Smasher the Fierce
+Viashino Bey
+Viashino Bladescout
+Viashino Branchrider
+Viashino Cutthroat
+Viashino Fangtail
+Viashino Firstblade
+Viashino Grappler
+Viashino Heretic
+Viashino Lashclaw
+Viashino Outrider
+Viashino Pyromancer
+Viashino Racketeer
+Viashino Runner
+Viashino Sandscout
+Viashino Sandsprinter
+Viashino Sandstalker
+Viashino Shanktail
+Viashino Slasher
+Viashino Slaughtermaster
+Viashino Spearhunter
+Viashino Warrior
+Viashino Weaponsmith
+Viashivan Dragon
+Vibrating Sphere
+Vicious Battlerager
+Vicious Conquistador
+Vicious Hunger
+Vicious Kavu
+Vicious Offering
+Vicious Rumors
+Vicious Shadows
+Viconia, Disciple of Arcana
+Viconia, Disciple of Blood
+Viconia, Disciple of Rebirth
+Viconia, Disciple of Strength
+Viconia, Disciple of Violence
+Viconia, Drow Apostate
+Viconia, Nightsinger's Disciple
+Victimize
+Victim of Night
+Victorious Destruction
+Victory
+Victory Chimes
+Victory of the Pyrohammer
+Victory's Envoy
+Victory's Herald
+Victual Sliver
+View from Above
+Viewpoint Synchronization
+Vigean Graftmage
+Vigean Hydropon
+Vigilance
+Vigilant Baloth
+Vigilant Drake
+Vigilante Justice
+Vigilant Sentry
+Vigil for the Lost
+Vigor
+Vigor Mortis
+Vigorous Charge
+Vigorspore Wurm
+Vihaan, Goldwaker
+Vildin-Pack Alpha
+Vildin-Pack Outcast
+Vile Aggregate
+Vile Consumption
+Vile Deacon
+Vile Entomber
+Vile Manifestation
+Vile Rebirth
+Vile Redeemer
+Vile Requiem
+Vilespawn Spider
+Vilis, Broker of Blood
+Village Bell-Ringer
+Village Cannibals
+Village Elder
+Village Ironsmith
+Village Messenger
+Village Reavers
+Village Rites
+Villagers of Estwald
+Village Survivors
+Village Watch
+Villainous Ogre
+Villainous Wealth
+Vindicate
+Vindictive Flamestoker
+Vindictive Lich
+Vindictive Mob
+Vindictive Vampire
+Vine Dryad
+Vine Gecko
+Vineglimmer Snarl
+Vine Kami
+Vinelasher Kudzu
+Vine Mare
+Vinereap Mentor
+Vineshaper Mystic
+Vineshaper Prodigy
+Vines of the Recluse
+Vines of Vastwood
+Vinesoul Spider
+Vine Trellis
+Vineweft
+Vintara Elephant
+Vintara Snapper
+Violent Eruption
+Violent Impact
+Violent Outburst
+Violent Ultimatum
+Violet Pall
+Viper's Kiss
+Viral Drake
+Viral Spawning
+Viridescent Wisps
+Viridian Betrayers
+Viridian Claw
+Viridian Corrupter
+Viridian Emissary
+Viridian Harvest
+Viridian Joiner
+Viridian Longbow
+Viridian Lorebearers
+Viridian Revel
+Viridian Scout
+Viridian Shaman
+Viridian Zealot
+Viridian Zealot Avatar
+Virtue of Courage
+Virtue of Knowledge
+Virtue of Loyalty
+Virtue of Persistence
+Virtue of Strength
+Virtue's Ruin
+Virtuous Charge
+Virtus's Maneuver
+Virtus the Veiled
+Virulent Plague
+Virulent Sliver
+Virulent Swipe
+Virulent Wound
+Virus Beetle
+Visage Bandit
+Visage of Bolas
+Visage of Dread
+Visara the Dreadful
+Viscera Dragger
+Viscerid Armor
+Viscerid Deepwalker
+Viscerid Drone
+Viscid Lemures
+Viseling
+Vishgraz, the Doomhive
+Visionary Augmenter
+Vision of the Unspeakable
+Vision Skeins
+Visions of Beyond
+Visions of Brutality
+Visions of Dominance
+Visions of Dread
+Visions of Glory
+Visions of Phyrexia
+Visions of Ruin
+Vislor Turlough
+Vitality Charm
+Vitality Hunter
+Vitalizing Cascade
+Vitalizing Wind
+Vital Splicer
+Vital Surge
+Vitaspore Thallid
+Vithian Renegades
+Vithian Stinger
+Vito, Fanatic of Aclazotz
+Vito's Inquisitor
+Vito, Thorn of the Dusk Rose
+Vitu-Ghazi Guildmage
+Vitu-Ghazi Inspector
+Vitu-Ghazi, the City-Tree
+Vivid Crag
+Vivid Creek
+Vivid Flying Fish
+Vivid Grove
+Vivid Marsh
+Vivid Meadow
+Vivid Revival
+Vivien, Arkbow Ranger
+Vivien, Champion of the Wilds
+Vivien, Monsters' Advocate
+Vivien, Nature's Avenger
+Vivien of the Arkbow
+Vivien on the Hunt
+Vivien Reid
+Vivien's Arkbow
+Vivien's Crocodile
+Vivien's Grizzly
+Vivien's Invocation
+Vivien's Jaguar
+Vivien's Stampede
+Vivien's Talent
+Vivify
+Vivisection Evangelist
+Vivisurgeon's Insight
+Vizier of Deferment
+Vizier of Many Faces
+Vizier of Remedies
+Vizier of the Anointed
+Vizier of the Menagerie
+Vizier of the Scorpion
+Vizier of the True
+Vizkopa Confessor
+Vizkopa Guildmage
+Vizkopa Vampire
+Vizzerdrix
+Vladimir and Godfrey
+Vodalian Arcanist
+Vodalian Hexcatcher
+Vodalian Hypnotist
+Vodalian Knights
+Vodalian Mage
+Vodalian Merchant
+Vodalian Mindsinger
+Vodalian Serpent
+Vodalian Soldiers
+Vodalian Tide Mage
+Vodalian War Machine
+Vodalian Wave-Knight
+Vodalian Zombie
+Voda Sea Scavenger
+Vogar, Necropolis Tyrant
+Vohar, Vodalian Desecrator
+Voiceless Spirit
+Voice of All
+Voice of Duty
+Voice of Grace
+Voice of Law
+Voice of Many
+Voice of Reason
+Voice of Resurgence
+Voice of the Blessed
+Voice of the Provinces
+Voice of the Vermin
+Voice of the Woods
+Voice of Truth
+Voices from the Void
+Void Attendant
+Void Beckoner
+Void Grafter
+Voidmage Husher
+Void Maw
+Void Mirror
+Voidpouncer
+Void Rend
+Void Shatter
+Void Snare
+Void Squall
+Void Stalker
+Voidstone Gargoyle
+Voidwalk
+Voidwielder
+Voidwing Hybrid
+Void Winnower
+Voja, Jaws of the Conclave
+Volatile Arsonist
+Volatile Chimera
+Volatile Claws
+Volatile Fault
+Volatile Fjord
+Volatile Rig
+Volatile Stormdrake
+Volatile Wanderglyph
+Volcanic Awakening
+Volcanic Dragon
+Volcanic Eruption
+Volcanic Fallout
+Volcanic Fissure
+Volcanic Geyser
+Volcanic Hammer
+Volcanic Island
+Volcanic Offering
+Volcanic Rambler
+Volcanic Rush
+Volcanic Salvo
+Volcanic Spite
+Volcanic Spray
+Volcanic Strength
+Volcanic Submersion
+Volcanic Torrent
+Volcanic Upheaval
+Volcanic Vision
+Volcanic Wind
+Volcano Imp
+Voldaren Ambusher
+Voldaren Bloodcaster
+Voldaren Duelist
+Voldaren Epicure
+Voldaren Estate
+Voldaren Pariah
+Voldaren Stinger
+Voldaren Thrillseeker
+Volition Reins
+Volley of Boulders
+Volley Veteran
+Volo, Guide to Monsters
+Volo, Itinerant Scholar
+Volrath
+Volrath's Curse
+Volrath's Dungeon
+Volrath's Laboratory
+Volrath's Shapeshifter
+Volrath the Fallen
+Volrath, the Shapestealer
+Volshe Tideturner
+Voltage Surge
+Voltaic Brawler
+Voltaic Construct
+Voltaic Key
+Voltaic Servant
+Voltaic Visionary
+Volt Charge
+Volt-Charged Berserker
+Voltstorm Angel
+Volunteer Militia
+Volunteer Reserves
+Vona, Butcher of Magan
+Vona de Iedo, the Antifex
+Voracious Cobra
+Voracious Dragon
+Voracious Fell Beast
+Voracious Greatshark
+Voracious Hatchling
+Voracious Hydra
+Voracious Null
+Voracious Reader
+Voracious Typhon
+Voracious Vacuum
+Voracious Vampire
+Voracious Varmint
+Voracious Vermin
+Voracious Wurm
+Vorapede
+Vorel of the Hull Clade
+Vorinclex
+Vorinclex, Monstrous Raider
+Vorinclex, Voice of Hunger
+Vorosh, the Hunter
+Vorpal Sword
+Vorrac Battlehorns
+Vorstclaw
+Vortex Runner
+Votary of the Conclave
+Vow of Duty
+Vow of Flight
+Vow of Lightning
+Vow of Malice
+Vow of Torment
+Vow of Wildness
+Voyager Drake
+Voyage's End
+Voyaging Satyr
+Vraan, Executioner Thane
+Vraska, Betrayal's Sting
+Vraska, Golgari Queen
+Vraska Joins Up
+Vraska, Regal Gorgon
+Vraska, Relic Seeker
+Vraska, Scheming Gorgon
+Vraska's Conquistador
+Vraska's Contempt
+Vraska's Fall
+Vraska's Finisher
+Vraska's Scorn
+Vraska's Stoneglare
+Vraska, Swarm's Eminence
+Vraska, the Silencer
+Vraska the Unseen
+Vren, the Relentless
+Vrestin, Menoptra Leader
+Vrock
+Vrondiss, Rage of Ancients
+Vronos, Masked Inquisitor
+Vryn Wingmare
+Vug Lizard
+Vulpikeet
+Vulpine Goliath
+Vulpine Harvester
+Vulshok Battlegear
+Vulshok Battlemaster
+Vulshok Berserker
+Vulshok Factory
+Vulshok Gauntlets
+Vulshok Heartstoker
+Vulshok Morningstar
+Vulshok Refugee
+Vulshok Replica
+Vulshok Sorcerer
+Vulshok Splitter
+Vulshok War Boar
+Vulturous Aven
+Vulturous Zombie
+Wagon Wrecker
+Waildrifter
+Wailing Ghoul
+Wail of the Forgotten
+Wail of the Nim
+Wakedancer
+Wakening Sun's Avatar
+Wake of Vultures
+Waker of the Wilds
+Wakeroot Elemental
+Wakestone Gargoyle
+Wake the Dragon
+Wake the Past
+Wake the Reflections
+Wake Thrasher
+Waking Nightmare
+Waking the Trolls
+Walker of Secret Ways
+Walker of the Grove
+Walker of the Wastes
+Walking Archive
+Walking Atlas
+Walking Ballista
+Walking Bulwark
+Walking Corpse
+Walking Dead
+Walking Dream
+Walking Skyscraper
+Walking Wall
+Walk the Plank
+Walk with the Ancestors
+Wall of Air
+Wall of Blood
+Wall of Blossoms
+Wall of Bone
+Wall of Brambles
+Wall of Caltrops
+Wall of Corpses
+Wall of Deceit
+Wall of Denial
+Wall of Diffusion
+Wall of Distortion
+Wall of Dust
+Wall of Earth
+Wall of Essence
+Wall of Faith
+Wall of Fire
+Wall of Forgotten Pharaohs
+Wall of Frost
+Wall of Glare
+Wall of Granite
+Wall of Heat
+Wall of Hope
+Wall of Ice
+Wall of Junk
+Wall of Kelp
+Wall of Lava
+Wall of Light
+Wall of Lost Thoughts
+Wall of Mist
+Wall of Mourning
+Wall of Mulch
+Wall of Nets
+Wall of Omens
+Wall of One Thousand Cuts
+Wall of Opposition
+Wall of Pine Needles
+Wall of Putrid Flesh
+Wall of Razors
+Wall of Resistance
+Wall of Resurgence
+Wall of Reverence
+Wall of Roots
+Wall of Runes
+Wall of Shards
+Wall of Shields
+Wall of Souls
+Wall of Spears
+Wall of Stolen Identity
+Wall of Stone
+Wall of Swords
+Wall of Tanglecord
+Wall of Tears
+Wall of Tombstones
+Wall of Torches
+Wall of Vines
+Wall of Water
+Wall of Wonder
+Wall of Wood
+Wallop
+Wanderbrine Rootcutters
+Wanderer's Intervention
+Wanderer's Strike
+Wanderer's Twig
+Wanderguard Sentry
+Wander in Death
+Wandering Archaic
+Wandering Champion
+Wandering Fumarole
+Wandering Goblins
+Wandering Graybeard
+Wandering Mage
+Wandering Mind
+Wandering Ones
+Wandering Stream
+Wandering Tombshell
+Wandering Treefolk
+Wandering Troubadour
+Wandering Wolf
+Wanderlight Spirit
+Wanderlust
+Wandermare
+Wandertale Mentor
+Wanderwine Hub
+Wanderwine Prophets
+Wand of Ith
+Wand of Orcus
+Wand of the Elements
+Wand of the Worldsoul
+Wand of Vertebrae
+Wand of Wonder
+Wane
+Waning Wurm
+Wanted Griffin
+Wanted Scoundrels
+Warbeast of Gorgoroth
+War Behemoth
+Warbriar Blessing
+Warbringer
+War Cadence
+Warchanter of Mogis
+Warchanter Skald
+War Chariot
+Warchief Giant
+Warclamp Mastiff
+Warcry Phoenix
+War Dance
+Warded Battlements
+Warden
+Warden of Evos Isle
+Warden of Geometries
+Warden of the Beyond
+Warden of the Chained
+Warden of the Eye
+Warden of the First Tree
+Warden of the Inner Sky
+Warden of the Wall
+Warden of the Woods
+Ward of Bones
+Wardscale Crocodile
+Wardscale Dragon
+Ward Sliver
+Warehouse Tabby
+Warehouse Thief
+War Elemental
+War Elephant
+War Falcon
+Warfire Javelineer
+War Flare
+Wargate
+Warg Rider
+War Historian
+War Horn
+Warhorn Blast
+Warhost's Frenzy
+Warkite Marauder
+Warleader's Call
+Warleader's Helix
+Warlock Class
+Warlord's Axe
+Warlord's Elite
+Warlord's Fury
+War Mammoth
+Warmind Infantry
+Warmonger
+Warmonger Hellkite
+Warmonger's Chariot
+Warmth
+Warm Welcome
+War-Name Aspirant
+Warning
+War of the Last Alliance
+War of the Spark
+War Oracle
+Warp Artifact
+Warpath
+Warpath Ghoul
+Warped Devotion
+Warped Landscape
+Warped Physique
+Warped Researcher
+Warped Tusker
+Warping Wail
+Warping Wurm
+War Priest of Thune
+Warp World
+Warrant
+Warren Elder
+Warren Instigator
+Warren Pilferers
+Warren-Scourge Elf
+Warren Soultrader
+Warren Warleader
+War Report
+Warrior Angel
+Warrior's Charge
+Warrior's Honor
+Warriors of Tiamat
+War Room
+War Screecher
+War-Spike Changeling
+War Squeak
+War's Toll
+Warstorm Surge
+Warteye Witch
+Warthog
+War-Torch Goblin
+War-Trained Slasher
+War-Wing Siren
+Wary Okapi
+Wary Thespian
+Warzone Duplicator
+Wash Away
+Wash Out
+Wasitora, Nekoru Queen
+Wasp Lancer
+Wasp of the Bitter End
+Waste Away
+Wasteful Harvest
+Wasteland
+Waste Land
+Wasteland Raider
+Wasteland Scorpion
+Wasteland Strangler
+Wasteland Viper
+Waste Management
+Waste Not
+Wastes
+Wastescape Battlemage
+Watchdog
+Watcher for Tomorrow
+Watcher in the Mist
+Watcher in the Web
+Watcher of Hours
+Watcher of the Roost
+Watcher of the Spheres
+Watcher Sliver
+Watchers of the Dead
+Watchful Automaton
+Watchful Blisterzoa
+Watchful Giant
+Watchful Naga
+Watchful Radstag
+Watchwing Scarecrow
+Watchwolf
+Watercourser
+Water Elemental
+Waterfall Aerialist
+Waterfront District
+Waterkin Shaman
+Waterknot
+Waterlogged Grove
+Waterlogged Hulk
+Waterlogged Teachings
+Water Servant
+Waterspout Djinn
+Waterspout Warden
+Waterspout Weavers
+Watertight Gondola
+Watertrap Weaver
+Waterveil Cavern
+Water Weird
+Waterwhirl
+Waterwind Scout
+Water Wings
+Water Wurm
+Watery Grave
+Wavebreak Hippocamp
+Wavecrash Triton
+Wave Goodbye
+Wave of Rats
+Wave of Vitriol
+Wavesifter
+Waveskimmer Aven
+Waves of Aggression
+Wave-Wing Elemental
+Wax
+Waxing Moon
+Waxmane Baku
+Wax-Wane Witness
+Wayfarer's Bauble
+Wayfaring Giant
+Wayfaring Temple
+Waylay
+Waylaying Pirates
+Way of the Thief
+Wayta, Trainer Prodigy
+Wayward Angel
+Wayward Disciple
+Wayward Giant
+Wayward Guide-Beast
+Wayward Servant
+Wayward Soul
+Wayward Swordtooth
+Weakness
+Weakstone
+Weakstone's Subjugation
+Weaponcraft Enthusiast
+Weaponize the Monsters
+Weapons Trainer
+Weapon Surge
+Wear
+Wear Away
+Wear Down
+Weary Prisoner
+Weaselback Redcap
+Weathered Bodyguards
+Weathered Runestone
+Weathered Sentinels
+Weathered Wayfarer
+Weatherlight
+Weatherlight Compleated
+Weatherseed Elf
+Weatherseed Faeries
+Weatherseed Totem
+Weatherseed Treefolk
+Weather the Storm
+Weave Fate
+Weaver of Blossoms
+Weaver of Currents
+Weaver of Harmony
+Weaver of Lightning
+Weave the Nightmare
+Web
+Web of Inertia
+Web Shot
+Webspinner Cuff
+Webweaver Changeling
+Wedding Announcement
+Wedding Crasher
+Wedding Festivity
+Wedding Invitation
+Wedding Ring
+Wedding Security
+Weed-Pruner Poplar
+Wee Dragonauts
+Weed Strangle
+Weeping Angel
+Wei Ambush Force
+Wei Assassins
+Wei Elite Companions
+Weigh Down
+Weight Advantage
+Weight of Conscience
+Weight of Memory
+Weight of the Underworld
+Wei Infantry
+Wei Night Raiders
+Weirded Vampire
+Weirding Shaman
+Weirding Wood
+Wei Scout
+Wei Strike Force
+Welcome Home
+Welcome to . . .
+Welcome to Sweettooth
+Welcoming Vampire
+Welder Automaton
+Weldfast Engineer
+Weldfast Monitor
+Weldfast Wingsmith
+Welding Jar
+Welding Sparks
+Welkin Guide
+Welkin Hawk
+Welkin Tern
+Well
+Wellgabber Apothecary
+Well-Laid Plans
+Well of Discovery
+Well of Ideas
+Well of Knowledge
+Well of Life
+Well of Lost Dreams
+Well Rested
+Wellspring
+Wellwisher
+Werebear
+Werefox Bodyguard
+Werewolf Pack Leader
+Werewolf Ransacker
+We Ride at Dawn
+Western Paladin
+Westfold Rider
+Westgate Regent
+Westvale Abbey
+Westvale Cult Leader
+Wetland Sambar
+Whack
+Whalebone Glider
+Wharf Infiltrator
+What Must Be Done
+What's Yours Is Now Mine
+Wheel and Deal
+Wheel of Fate
+Wheel of Fortune
+Wheel of Misfortune
+Wheel of Sun and Moon
+Wheel of Torture
+Whelming Wave
+When We Were Young
+When Will You Learn?
+Where Ancients Tread
+Whetstone
+Which of You Burns Brightest?
+Whimsy
+Whimwader
+Whipcorder
+Whipflare
+Whiplash Trap
+Whip of Erebos
+Whippoorwill
+Whip Sergeant
+Whip Silk
+Whip-Spine Drake
+Whipstitched Zombie
+Whiptail Moloch
+Whiptail Wurm
+Whiptongue Frog
+Whiptongue Hydra
+Whirlermaker
+Whirler Rogue
+Whirler Virtuoso
+Whirling Catapult
+Whirling Dervish
+Whirling Strike
+Whirlpool Drake
+Whirlpool Rider
+Whirlwind
+Whirlwind Adept
+Whirlwind Denial
+Whirlwind of Thought
+Whir of Invention
+Whisk Away
+Whiskerquill Scribe
+Whiskervale Forerunner
+Whisper Agent
+Whisper, Blood Liturgist
+Whisperer of the Wilds
+Whispergear Sneak
+Whispering Shade
+Whispering Snitch
+Whispering Specter
+Whispering Wizard
+Whisper of the Dross
+Whispersilk Cloak
+Whispers of Emrakul
+Whispers of the Muse
+Whisper Squad
+Whispersteel Dagger
+Whisperwood Elemental
+White Dragon
+White Glove Gourmand
+White Knight
+White Mana Battery
+Whitemane Lion
+White Orchid Phantom
+White Plume Adventurer
+White Scarab
+White Shield Crusader
+Whitesun's Passage
+White Sun's Twilight
+White Sun's Zenith
+White Ward
+Whitewater Naiads
+Wibbly-wobbly, Timey-wimey
+Wicked Akuba
+Wicked Guardian
+Wicked Pact
+Wicked Slumber
+Wicked Visitor
+Wicked Wolf
+Wickerbough Elder
+Wicker Warcrawler
+Wickerwing Effigy
+Wicker Witch
+Wick's Patrol
+Wick, the Whorled Mind
+Widespread Brutality
+Widespread Panic
+Widespread Thieving
+Wielding the Green Dragon
+Wight
+Wight of Precinct Six
+Wight of the Reliquary
+Wiitigo
+Wild Aesthir
+Wild Beastmaster
+Wildblood Pack
+Wildborn Preserver
+Wildcall
+Wild Cantor
+Wild Celebrants
+Wild Ceratok
+Wild Colos
+Wild Crocodile
+Wild Defiance
+Wild Elephant
+Wild Endeavor
+Wilderness Elemental
+Wilderness Hypnotist
+Wilderness Reclamation
+Wildest Dreams
+Wild Evocation
+Wildfield Borderpost
+Wild-Field Scarecrow
+Wildfire
+Wildfire Awakener
+Wildfire Cerberus
+Wildfire Devils
+Wildfire Elemental
+Wildfire Emissary
+Wildfire Eternal
+Wildfire Howl
+Wild Goose Chase
+Wild Griffin
+Wildgrowth Walker
+Wildheart Invoker
+Wild Hunger
+Wild Instincts
+Wild Jhovall
+Wild Leotau
+Wild-Magic Sorcerer
+Wild Mammoth
+Wild Might
+Wild Mongrel
+Wild Nacatl
+Wild Onslaught
+Wild Ox
+Wild Pair
+Wild Research
+Wildsear, Scouring Maw
+Wild Shape
+Wildsize
+Wild Slash
+Wildslayer Elves
+Wildsong Howler
+Wild Swing
+Wild Wanderer
+Wild Wasteland
+Wildwood Escort
+Wildwood Geist
+Wildwood Mentor
+Wildwood Patrol
+Wildwood Rebirth
+Wildwood Scourge
+Wildwood Tracker
+Wild Wurm
+Wilfred Mott
+Wilhelt, the Rotcleaver
+Willbreaker
+Will-Forged Golem
+Willing
+Willing Test Subject
+Will Kenrith
+Will of the All-Hunter
+Will of the Naga
+Will-o'-the-Wisp
+Willow Dryad
+Willowdusk, Essence Seer
+Willow Elf
+Willow Faerie
+Willow Geist
+Willow Priestess
+Willow Satyr
+Willow-Wind
+Will, Scholar of Frost
+Will, Scion of Peace
+Will the Wise
+Wilson, Ardent Bear
+Wilson, Bear Comrade
+Wilson, Fearsome Bear
+Wilson, Majestic Bear
+Wilson, Refined Grizzly
+Wilson, Subtle Bear
+Wilson, Urbane Bear
+Wilt
+Wilt-Leaf Cavaliers
+Wilt-Leaf Liege
+Wily Bandar
+Wily Goblin
+Windborne Charge
+Windborn Muse
+Windbrisk Heights
+Windbrisk Raptor
+Windcaller Aven
+Wind Dancer
+Wind Drake
+Windgrace Acolyte
+Windgrace's Judgment
+Winding Constrictor
+Winding Wurm
+Wind-Kin Raiders
+Windreader Sphinx
+Windreaper Falcon
+Windreaver
+Windriddle Palaces
+Windrider Eel
+Windrider Patrol
+Windrider Wizard
+Wind Sail
+Wind-Scarred Crag
+Windscouter
+Windseeker Centaur
+Wind Shear
+Winds of Abandon
+Winds of Qal Sisma
+Winds of Rath
+Winds of Rebuke
+Wind Spirit
+Windstorm
+Windstorm Drake
+Wind Strider
+Windswept Heath
+Windswift Slice
+Windwright Mage
+Wind Zendikon
+Wine of Blood and Iron
+Wingbane Vantasaur
+Wingbeat Warrior
+Wing Commando
+Wingcrafter
+Winged Boots
+Winged Coatl
+Winged Hive Tyrant
+Winged Portent
+Winged Shepherd
+Winged Sliver
+Winged Temple of Orazca
+Winged Words
+Wingfold Pteron
+Wing It
+Wingmantle Chaplain
+Wingmate Roc
+Wing Puncture
+Wingrattle Scarecrow
+Wing Shards
+Wingshield Agent
+Wing Shredder
+Wing Snare
+Wings of Aesthir
+Wings of Hope
+Wings of the Cosmos
+Wings of the Guard
+Wingspan Mentor
+Wing Splicer
+Wingsteed Rider
+Wingsteed Trainer
+Wing Storm
+Winnower Patrol
+Winnowing Forces
+Winota, Joiner of Forces
+Winter Blast
+Winter Eladrin
+Winterflame
+Winter Moon
+Wintermoon Mesa
+Wintermoor Commander
+Winter Orb
+Winter's Grasp
+Winter's Rest
+Winterthorn Blessing
+Wipe Away
+Wipe Clean
+Wirecat
+Wirefly Hive
+Wire Surgeons
+Wiretapping
+Wirewood Elf
+Wirewood Guardian
+Wirewood Herald
+Wirewood Hivemaster
+Wirewood Lodge
+Wirewood Pride
+Wirewood Savage
+Wish
+Wishclaw Talisman
+Wishcoin Crab
+Wishful Merfolk
+Wishing Well
+Wispdrinker Vampire
+Wispmare
+Wispweaver Angel
+Wistful Selkie
+Witchbane Orb
+Witch-Blessed Meadow
+Witch Enchanter
+Witches' Eye
+Witch Hunt
+Witch Hunter
+Witching Well
+Witch-king, Bringer of Ruin
+Witch-king of Angmar
+Witch-king, Sky Scourge
+Witch-Maw Nephilim
+Witch of the Moors
+Witch's Cauldron
+Witch's Clinic
+Witch's Cottage
+Witch's Familiar
+Witch's Mark
+Witch's Mist
+Witch's Oven
+Witchstalker
+Witchstalker Frenzy
+Witch's Vengeance
+Witch's Web
+Withdraw
+Withengar Unbound
+Wither and Bloom
+Witherbloom Apprentice
+Witherbloom Campus
+Witherbloom Command
+Witherbloom Pledgemage
+Withercrown
+Withered Wretch
+Withering Boon
+Withering Gaze
+Withering Hex
+Withering Wisps
+Witherscale Wurm
+Without Weakness
+Withstand
+Withstand Death
+Witness of the Ages
+Witness of Tomorrows
+Witness Protection
+Witness the End
+Witness the Future
+Wit's End
+Witty Roastmaster
+Wizard Class
+Wizard's Lightning
+Wizards of Thay
+Wizard's Retort
+Wizard's Spellbook
+Wizened Arbiter
+Wizened Cenn
+Wizened Githzerai
+Wizened Snitches
+Woebearer
+Woebringer Demon
+Woeleecher
+Woe Strider
+Wojek Bodyguard
+Wojek Halberdiers
+Wojek Investigator
+Wolfbitten Captive
+Wolfbriar Elemental
+Wolfcaller's Howl
+Wolfhunter's Quiver
+Wolfir Avenger
+Wolfir Silverheart
+Wolfkin Bond
+Wolfkin Outcast
+Wolf of Devil's Breach
+Wolf Pack
+Wolfrider's Saddle
+Wolf-Skull Shaman
+Wolf's Quarry
+Wolf Strike
+Wolfwillow Haven
+Wolverine Pack
+Wolverine Riders
+Wonder
+Wonderscape Sage
+Wondrous Crucible
+Woodborn Behemoth
+Woodcaller Automaton
+Woodcloaker
+Woodcutter's Grit
+Wooded Foothills
+Wooded Ridgeline
+Wood Elemental
+Wood Elves
+Wooden Sphere
+Wooden Stake
+Woodfall Primus
+Woodland Acolyte
+Woodland Bellower
+Woodland Cemetery
+Woodland Champion
+Woodland Changeling
+Woodland Chasm
+Woodland Druid
+Woodland Guidance
+Woodland Investigation
+Woodland Mystic
+Woodland Patrol
+Woodland Sleuth
+Woodland Stream
+Woodland Wanderer
+Woodlot Crawler
+Woodlurker Mimic
+Woodripper
+Woodvine Elemental
+Woodweaver's Puzzleknot
+Woodwraith Corrupter
+Woodwraith Strangler
+Woolly Loxodon
+Woolly Mammoths
+Woolly Razorback
+Woolly Spider
+Woolly Thoctar
+Word of Binding
+Word of Blasting
+Word of Seizing
+Word of Undoing
+Words of Wisdom
+Workhorse
+Workshop Assistant
+Workshop Elders
+Workshop Warchief
+World at War
+World Breaker
+Worldfire
+Worldheart Phoenix
+Worldknit
+Worldly Counsel
+Worldly Tutor
+World Shaper
+Worldslayer
+Worldsoul Colossus
+Worldsoul's Rage
+Worldspine Wurm
+Worldwalker Helm
+World-Weary
+Wormfang Drake
+Wormfang Manta
+Wormfang Newt
+Wormfang Turtle
+Worm Harvest
+Wormhole Serpent
+Wormwood Dryad
+Wormwood Treefolk
+Worn Powerstone
+Worry Beads
+Worship
+Wort, Boggart Auntie
+Worthy Knight
+Wort, the Raidmother
+Wose Pathfinder
+Wound Reflection
+Wrangle
+Wrangler of the Damned
+Wrap in Flames
+Wrap in Vigor
+Wrathful Jailbreaker
+Wrathful Raptors
+Wrathful Red Dragon
+Wrath of God
+Wrath of Marit Lage
+Wrath of Sod
+Wreak Havoc
+Wreath of Geists
+Wreck and Rebuild
+Wreck Hunter
+Wrecking Ball
+Wrecking Beast
+Wrecking Crew
+Wrecking Ogre
+Wrench
+Wrench Mind
+Wrenn and Realmbreaker
+Wrenn and Seven
+Wrenn and Six
+Wrenn's Resolve
+Wren's Run Hydra
+Wren's Run Packmaster
+Wren's Run Vanquisher
+Wretched Anurid
+Wretched Banquet
+Wretched Camel
+Wretched Confluence
+Wretched Gryff
+Wretched Throng
+Wrexial, the Risen Deep
+Wring Flesh
+Write into Being
+Writhing Chrysalis
+Writhing Necromass
+Writ of Passage
+Writ of Return
+Wrong Turn
+Wu Admiral
+Wu Elite Cavalry
+Wu Infantry
+Wulfgar of Icewind Dale
+Wu Light Cavalry
+Wu Longbowman
+Wumpus Aberration
+Wurmcalling
+Wurmcoil Engine
+Wurmcoil Larva
+Wurmquake
+Wurmskin Forger
+Wurm's Tooth
+Wurmweaver Coil
+Wu Scout
+Wu Spy
+Wu Warship
+Wydwen, the Biting Gale
+Wyleth, Soul of Steel
+Wylie Duke, Atiin Hero
+Wyll, Blade of Frontiers
+Wyll of the Blade Pact
+Wyll of the Celestial Pact
+Wyll of the Elder Pact
+Wyll of the Fey Pact
+Wyll of the Fiend Pact
+Wyll, Pact-Bound Duelist
+Wyll's Reversal
+Wyluli Wolf
+Wyrm's Crossing Patrol
+Xanathar, Guild Kingpin
+Xander's Lounge
+Xander's Pact
+Xander's Wake
+Xantcha, Sleeper Agent
+Xanthic Statue
+Xantid Swarm
+Xathrid Demon
+Xathrid Gorgon
+Xathrid Necromancer
+Xavier Sal, Infested Captain
+Xenagos, God of Revels
+Xenk, Paladin Unbroken
+Xerex Strobe-Knight
+Xiahou Dun, the One-Eyed
+Xira Arien
+Xira, the Golden Sting
+Xolatoyac, the Smiling Flood
+Xorn
+Xun Yu, Wei Advisor
+Xyris, the Writhing Storm
+Xyru Specter
+Yahenni's Expertise
+Yahenni, Undying Partisan
+Yamabushi's Flame
+Yamabushi's Storm
+Yanling's Harbinger
+Yannik, Scavenging Sentinel
+Yargle and Multani
+Yargle, Glutton of Urborg
+Yarok's Fenlurker
+Yarok's Wavecrasher
+Yarok, the Desecrated
+Yarus, Roar of the Old Gods
+Yasharn, Implacable Earth
+Yasmin Khan
+Yasova Dragonclaw
+Yavimaya Ancients
+Yavimaya Ants
+Yavimaya Barbarian
+Yavimaya Coast
+Yavimaya, Cradle of Growth
+Yavimaya Dryad
+Yavimaya Elder
+Yavimaya Enchantress
+Yavimaya Gnats
+Yavimaya Granger
+Yavimaya Hollow
+Yavimaya Iconoclast
+Yavimaya Kavu
+Yavimaya Sapherd
+Yavimaya Scion
+Yavimaya's Embrace
+Yavimaya Sojourner
+Yavimaya Steelcrusher
+Yavimaya Wurm
+Yawgmoth Demon
+Yawgmoth's Agenda
+Yawgmoth's Bargain
+Yawgmoth's Edict
+Yawgmoth's Testament
+Yawgmoth's Vile Offering
+Yawgmoth's Will
+Yawgmoth, Thran Physician
+Yawning Fissure
+Ydwen Efreet
+Yedora, Grave Gardener
+Yellow Scarves Cavalry
+Yellow Scarves General
+Yellow Scarves Troops
+Yenna, Redtooth Regent
+Yennett, Cryptic Sovereign
+Yes Man, Personal Securitron
+Yeva, Nature's Herald
+Yeva's Forcemage
+Yew Spirit
+Yggdrasil, Rebirth Engine
+Ygra, Eater of All
+Yidaro, Wandering Monster
+Yidris, Maelstrom Wielder
+Yisan, the Wanderer Bard
+Yixlid Jailer
+Yoked Ox
+Yoked Plowbeast
+Yoke of the Damned
+Yomiji, Who Bars the Way
+Yore-Tiller Nephilim
+Yorion, Sky Nomad
+Yorvo, Lord of Garenbrig
+Yosei, the Morning Star
+Yoshimaru, Ever Faithful
+Yotia Declares War
+Yotian Courier
+Yotian Dissident
+Yotian Frontliner
+Yotian Medic
+Yotian Soldier
+Yotian Tactician
+You Are Already Dead
+You Cannot Pass!
+You Come to a River
+You Come to the Gnoll Camp
+You Find a Cursed Idol
+You Find Some Prisoners
+You Find the Villains' Lair
+You Happen On a Glade
+You Hear Something on Watch
+You Line Up the Shot
+You Look Upon the Tarrasque
+You Meet in a Tavern
+Young Blue Dragon
+Young Deathclaws
+Young Necromancer
+Young Pyromancer
+Young Red Dragon
+Young Wei Recruits
+Young Wolf
+You're Ambushed on the Road
+You're Confronted by Robbers
+Your Fate Is Thrice Sealed
+Your Inescapable Doom
+Your Puny Minds Cannot Fathom
+Your Temple Is Under Attack
+Your Will Is Not Your Own
+You See a Guard Approach
+You See a Pair of Goblins
+Youthful Knight
+Youthful Scholar
+Youthful Valkyrie
+You've Been Caught Stealing
+Ysgard's Call
+Yuan Shao's Infantry
+Yuan Shao, the Indecisive
+Yuan-Ti Fang-Blade
+Yuan-Ti Malison
+Yuan-Ti Scaleshield
+Yuki-Onna
+Yukora, the Prisoner
+Yuma, Proud Protector
+Yuriko, the Tiger's Shadow
+Yusri, Fortune's Flame
+Zabaz, the Glimmerwasp
+Zacama, Primal Calamity
+Zada, Hedron Grinder
+Zada's Commando
+Zaffai, Thunder Conductor
+Zagoth Crystal
+Zagoth Mamba
+Zagoth Triome
+Zagras, Thief of Heartbeats
+Zahid, Djinn of the Lamp
+Zalto, Fire Giant Duke
+Zameck Guildmage
+Zamriel, Seraph of Steel
+Zanam Djinn
+Zangief, the Red Cyclone
+Zanikev Locust
+Zap
+Zara, Renegade Recruiter
+Zareth San, the Trickster
+Zarichi Tiger
+Zariel, Archduke of Avernus
+Zar Ojanen, Scion of Efrava
+Zask, Skittering Swarmlord
+Zaxara, the Exemplary
+Zealot il-Vec
+Zealot of the God-Pharaoh
+Zealot's Conviction
+Zealots en-Dal
+Zealous Conscripts
+Zealous Guardian
+Zealous Persecution
+Zealous Strike
+Zebra Unicorn
+Zegana, Utopian Speaker
+Zektar Shrine Expedition
+Zellix, Sanity Flayer
+Zelyon Sword
+Zendikar Farguide
+Zendikar Incarnate
+Zendikar Resurgent
+Zendikar's Roil
+Zenith Chronicler
+Zenith Flare
+Zenith Seeker
+Zephid
+Zephid's Embrace
+Zephyr Boots
+Zephyr Charge
+Zephyr Falcon
+Zephyr Gull
+Zephyrim
+Zephyr Net
+Zephyr Sentinel
+Zephyr Singer
+Zephyr Spirit
+Zephyr Sprite
+Zephyr Winder
+Zerapa Minotaur
+Zeriam, Golden Wind
+Zetalpa, Primal Dawn
+Zevlor, Elturel Exile
+Zhalfirin Commander
+Zhalfirin Decoy
+Zhalfirin Knight
+Zhalfirin Lancer
+Zhalfirin Shapecraft
+Zhalfirin Void
+Zhang Fei, Fierce Warrior
+Zhang He, Wei General
+Zhang Liao, Hero of Hefei
+Zhao Zilong, Tiger General
+Zhentarim Bandit
+Zhou Yu, Chief Commander
+Zhuge Jin, Wu Strategist
+Zhulodok, Void Gorger
+Zhur-Taa Ancient
+Zhur-Taa Druid
+Zhur-Taa Goblin
+Zhur-Taa Swine
+Ziatora's Envoy
+Ziatora's Proving Ground
+Ziatora, the Incinerator
+Zilortha, Apex of Ikoria
+Zilortha, Strength Incarnate
+Zimone and Dina
+Zimone, Quandrix Prodigy
+Zinnia, Valley's Voice
+Zirda, the Dawnwaker
+Zirilan of the Claw
+Zndrsplt, Eye of Wisdom
+Zndrsplt's Judgment
+Zoanthrope
+Zodiac Dog
+Zodiac Dragon
+Zodiac Goat
+Zodiac Horse
+Zodiac Monkey
+Zodiac Ox
+Zodiac Pig
+Zodiac Rabbit
+Zodiac Rat
+Zodiac Rooster
+Zodiac Snake
+Zodiac Tiger
+Zoetic Cavern
+Zoetic Glyph
+Zof Bloodbog
+Zof Consumption
+Zof Shade
+Zombie Apocalypse
+Zombie Assassin
+Zombie Brute
+Zombie Cannibal
+Zombie Cutthroat
+Zombie Goliath
+Zombie Master
+Zombie Mob
+Zombie Musher
+Zombie Ogre
+Zombie Outlander
+Zombie Scavengers
+Zombify
+Zoological Study
+Zoologist
+Zopandrel, Hunger Dominus
+Zoraline, Cosmos Caller
+Zoyowa Lava-Tongue
+Zoyowa's Justice
+Zo-Zu the Punisher
+Zuberi, Golden Feather
+Zulaport Chainmage
+Zulaport Cutthroat
+Zulaport Duelist
+Zulaport Enforcer
+Zuo Ci, the Mocking Sage
+Zuran Enchanter
+Zuran Orb
+Zuran Spellcaster
+Zur, Eternal Schemer
+Zurgo and Ojutai
+Zurgo Bellstriker
+Zurgo Helmsmasher
+Zur the Enchanter
+Zurzoth, Chaos Rider
+Zygon Infiltrator
diff --git a/src/main/resources/ai-unplayable-cards.txt b/src/main/resources/ai-unplayable-cards.txt
@@ -0,0 +1,2541 @@
+A-Alrund, God of the Cosmos
+Abandon Hope
+About Face
+Abundance
+Abundant Harvest
+Abyssal Persecutor
+Acidic Dagger
+Acidic Soil
+Acolyte's Reward
+Acorn Catapult
+Act of Authority
+Act on Impulse
+Adanto Vanguard
+Adarkar Unicorn
+Adarkar Windform
+Ad Nauseam
+Aeon Chronicler
+Aeon Engine
+Aethermage's Touch
+Aetherplasm
+Aether Shockwave
+Aether Snap
+Aethersnatch
+Aether Storm
+Aether Tide
+Aether Tradewinds
+Afterlife Insurance
+Agent of Shauku
+Agent of Stromgald
+Aggression
+Aggressive Mining
+A-Hakka, Whispering Raven
+Airdrop Condor
+Akki Avalanchers
+Akoum Flameseeker
+Akroma's Blessing
+Akul the Unrepentant
+Al-abara's Carpet
+Aladdin's Lamp
+Alchemist's Apprentice
+Alchemist's Gambit
+Alchemist's Refuge
+Alchor's Tomb
+Aleatory
+Alexi, Zephyr Mage
+Alliance of Arms
+Alluring Scent
+Alluring Siren
+Alpha Brawl
+Alpha Kavu
+Alrund, God of the Cosmos
+Altar of Dementia
+Altar of the Wretched
+Alter Reality
+Amber Prison
+Amoeboid Changeling
+Amok
+Amulet of Quoz
+Anaba Ancestor
+Ancestral Knowledge
+Ancient Spring
+Angelic Favor
+Angel of Salvation
+Angel's Trumpet
+An-Havva Township
+Animation Module
+Anthroplasm
+Anurid Brushhopper
+Apex Observatory
+Aphetto Alchemist
+Aphetto Dredging
+Aphetto Grifter
+Aquamoeba
+Aquitect's Will
+Araumi of the Dead Tide
+Arcane Lighthouse
+Arcane Spyglass
+Arcbond
+Archon of Valor's Reach
+Arctic Merfolk
+Arcum's Astrolabe
+Arcum's Sleigh
+Arcum's Whistle
+Argent Mutation
+Armageddon Clock
+Armed and Armored
+Armor of Thorns
+Arsenal Thresher
+Artificer's Intuition
+Artillerize
+Ashling's Prerogative
+Ashling the Pilgrim
+Ashnod's Cylix
+Assault Suit
+Assembly Hall
+Astral Slide
+Astrolabe
+Atalya, Samite Master
+A-Thran Portal
+Aura Barbs
+Aura Finesse
+Aura Graft
+Auriok Siege Sled
+Auriok Transfixer
+Auriok Windwalker
+Aurora Eidolon
+Aurora Griffin
+Autumn's Veil
+Autumn-Tail, Kitsune Sage
+Autumn Willow
+Avacyn, Guardian Angel
+Avarice Totem
+Aven Liberator
+Aven Mimeomancer
+Aven Windreader
+Avizoa
+Awe for the Guilds
+Axis of Mortality
+Aysen Abbey
+Azorius Ploy
+Azorius Signet
+Backdraft
+Backslide
+Bag of Holding
+Baki's Curse
+Balance of Power
+Balancing Act
+Balduvian Shaman
+Balm of Restoration
+Balthor the Defiled
+Bamboozle
+Bamboozling Beeble
+Bane of the Living
+Banishing Knack
+Banshee
+Barbarian Guides
+Barbed Sextant
+Bargaining Table
+Barrage of Expendables
+Barrage Tyrant
+Barrel Down Sokenzan
+Barrenton Medic
+Barrin
+Barrin, Master Wizard
+Barter in Blood
+Basal Sliver
+Basal Thrull
+Bathe in Light
+Battle Cry
+Batwing Brume
+Bazaar Trademage
+Bazaar Trader
+Beacon of Destiny
+Beast Within
+Behold the Beyond
+Belbe's Armor
+Benalish Missionary
+Bend or Break
+Benevolent Offering
+Betrayal of Flesh
+Betrothed of Fire
+Bifurcate
+Biomass Mutation
+Biorhythm
+Bioshift
+Birchlore Rangers
+Bite of the Black Rose
+Black Carriage
+Black Sun's Zenith
+Blasting Station
+Blast Zone
+Blaze of Glory
+Blazing Shoal
+Blessed Reincarnation
+Blighted Burgeoning
+Blind Fury
+Blinding Beam
+Blinding Fog
+Blind Seer
+Blinkmoth Infusion
+Blinkmoth Well
+Blood Celebrant
+Bloodfire Infusion
+Bloodflow Connoisseur
+Blood Oath
+Blood of the Martyr
+Blood Rites
+Bloodscent
+Bloodshot Cyclops
+Bloodthirsty Adversary
+Blood Vassal
+Bloom Tender
+Bogardan Dragonheart
+Bog Elemental
+Boggart Forager
+Bog Initiate
+Bog Naughty
+Bog Witch
+Bola Warrior
+Bolt Bend
+Boltbender
+Bond of Agony
+Bonds of Mortality
+Bone Flute
+Bone Shaman
+Boros Battleshaper
+Boros Fury-Shield
+Boros Signet
+Borrowing the East Wind
+Bosh, Iron Golem
+Bosh, Iron Golem Avatar
+Bösium Strip
+Bottomless Vault
+Bounty of the Hunt
+Brace for Impact
+Brain Pry
+Brain Weevil
+Brand
+Brand of Ill Omen
+Brass Squire
+Brass-Talon Chimera
+Brave-Kin Duo
+Brave the Elements
+Brawl
+Breaking Wave
+Breakthrough
+Breath of Fury
+Brightflame
+Brilliant Spectrum
+Brine Seer
+Brine Shaman
+Bringer of the Black Dawn
+Bring to Light
+Bronze Tablet
+Browse
+Brutal Deceiver
+Brutalizer Exarch
+Bubbling Muck
+Bulwark
+Burden of Guilt
+Burn at the Stake
+Burning Cloak
+Burning-Tree Bloodscale
+Burnt Offering
+Burr Grafter
+Burst of Speed
+Butcher Orgg
+Cabal Coffers
+Cabal Interrogator
+Cabal Patriarch
+Cabal Therapist
+Cabal Therapy
+Cache Raiders
+Cadaverous Bloom
+Cagemail
+Calciform Pools
+Calcite Snapper
+Caldera Hellion
+Call for Aid
+Call for Blood
+Callous Deceiver
+Callous Oppressor
+Call the Coppercoats
+Calming Licid
+Calming Verse
+Camouflage
+Candelabra of Tawnos
+Cannibalize
+Canopy Claws
+Canyon Drake
+Captain of the Mists
+Captain's Maneuver
+Caregiver
+Carnage Altar
+Carom
+Carpet of Flowers
+Carrion
+Carrion Rats
+Cartel Aristocrat
+Cascade Bluffs
+Castle Sengir
+Cataclysm
+Cataclysmic Gearhulk
+Cauldron of Souls
+Cave of Temptation
+Celestial Convergence
+Celestial Kirin
+Celestial Prism
+Cemetery Puca
+Cephalid Broker
+Cephalid Illusionist
+Cephalid Snitch
+Cerebral Vortex
+Cerulean Wisps
+Ceta Disciple
+Chainer, Nightmare Adept
+Chain Stasis
+Chamber of Manipulation
+Champion of Stray Souls
+Chandra Ablaze
+Chandra, Pyromaster
+Channel
+Channel the Suns
+Chaos Harlequin
+Chaoslace
+Chaos Lord
+Chaos Moon
+Charge Across the Araba
+Charge of the Forever-Beast
+Chariot of the Sun
+Charm Peddler
+Cheering Fanatic
+Chill Haunting
+Chimeric Coils
+Chimeric Idol
+Chimeric Staff
+Choice of Damnations
+ChooseName:DB$ NameCard | ValidCards$ Card.nonLand | Defined$ You | AtRandom$ True | SubAbility$ CreateAbility
+Chromatic Armor
+Chromatic Sphere
+Chromatic Star
+Chromeshell Crab
+Chronatog
+Chronatog Avatar
+Cinderhaze Wretch
+Cinder Seer
+Circle of Despair
+Circling Vultures
+Citanul Flute
+City in a Bottle
+City of Shadows
+City of Traitors
+Civic Guildmage
+Civilized Scholar
+Clairvoyance
+Claws of Gix
+Cleansing
+Cleansing Beam
+CleanupName:DB$ Cleanup | ClearNamedCard$ True
+Cliffside Market
+Cloak of Confusion
+Clock of Omens
+Coalhauler Swine
+Coastal Wizard
+Coffin Puppets
+Cold Storage
+Colfenor's Plans
+Collective Voyage
+Command Beacon
+Commandeer
+Commander's Sphere
+Command the Dreadhorde
+Commune with Lava
+Complex Automaton
+Composite Golem
+Compulsion
+Confiscation Coup
+Conjured Currency
+Conjurer's Closet
+Consign to Dream
+Conspiracy
+Consuming Ferocity
+Contagion
+Contamination
+Contested Cliffs
+Contingency Plan
+Contraband Livestock
+Contract from Below
+Convincing Mirage
+Convulsing Licid
+Cooperate
+Cooperation
+Coordinated Barrage
+Copperhoof Vorrac
+Copper-Leaf Angel
+Copy Enchantment
+Coral Fighters
+Coral Helm
+Coral Reef
+Coral Trickster
+Coretapper
+Corpse Augur
+Corpse Blockade
+Corpse Lunge
+Corpse Traders
+Corpseweft
+Corrupted Grafstone
+Corrupting Licid
+Cosmic Larva
+Cosmium Catalyst
+Courtly Provocateur
+Covetous Elegy
+Covetous Urge
+Crag Puca
+Cranial Archive
+Crater Elemental
+Crazed Armodon
+Cream of the Crop
+Credit Voucher
+Creeping Renaissance
+Crested Craghorn
+Crookclaw Transmuter
+Crosis's Attendant
+Crossbow Ambush
+Crovax the Cursed
+Crown of Ascension
+Crown of Awe
+Crown of Convergence
+Crown of Doom
+Crown of Fury
+Crown of Suspicion
+Crown of the Ages
+Crown of Vigor
+Crucible of the Spirit Dragon
+Cruel Deceiver
+Cruel Entertainment
+Cruel Fate
+Cruel Sadist
+Crush of Tentacles
+Crypt Creeper
+Cryptic Gateway
+Crypt of Agadeem
+Crystal Quarry
+Crystal Shard
+Crystal Spray
+Crystal Vein
+Culling Dais
+Culling Mark
+Culling Scales
+Culling the Weak
+Cultural Exchange
+Cunning Giant
+Cuombajj Witches
+Curfew
+Curse of Chaos
+Curse of Echoes
+Curse of the Swine
+Customs Depot
+Cyclone
+Cyclopean Tomb
+Cytoplast Manipulator
+Cytoshape
+Daghatar the Adamant
+Dakkon Blackblade Avatar
+Dakmor Salvage
+Dakra Mystic
+Damping Engine
+Dance of the Manse
+Dance of the Skywise
+Dangerous Wager
+Daretti, Scrap Savant
+Darigaaz's Attendant
+Daring Thief
+Dark Deal
+Dark Heart of the Wood
+Darkheart Sliver
+Dark Maze
+Darkpact
+Dark Privilege
+Darksteel Mutation
+Dark Supplicant
+Dark Triumph
+Darkwater Catacombs
+Darkwater Egg
+Daughter of Autumn
+Dauntless Escort
+Dawnfluke
+Dawnglare Invoker
+Dawn's Reflection
+Day's Undoing
+Dazzling Reflection
+Dead-Iron Sledge
+Deadly Tempest
+Deadly Wanderings
+Dead Reckoning
+Dead Ringers
+Deadshot
+Death Bomb
+Death Cloud
+Deathknell Kami
+Deathlace
+Deathmark Prelate
+Death-Mask Duplicant
+Death Pit Offering
+Debt of Loyalty
+Decaying Soil
+Deceiver of Form
+Decree of Annihilation
+Decree of Pain
+Deep Water
+Deepwood Elder
+Defensive Maneuvers
+Defiant Stand
+Deflection
+Deftblade Elite
+Delif's Cone
+Delif's Cube
+Dementia Sliver
+Demonic Appetite
+Demonic Attorney
+Demonic Collusion
+Demonic Consultation
+Demonic Pact
+Demonmail Hauberk
+Demoralize
+Descendant of Masumaro
+Descent into Madness
+Descent of the Dragons
+Desecration Elemental
+Deserter's Quarters
+Desolate Mire
+Desolation
+Desolation Giant
+Desperate Gambit
+Desperate Research
+Detainment Spell
+Detection Tower
+Detritivore
+Devastating Dreams
+Devastating Summons
+Devoted Caretaker
+Devoted Druid
+Devouring Greed
+Devouring Hellion
+Devouring Rage
+Devouring Strossus
+Devout Decree
+Diabolic Intent
+Diabolic Revelation
+Diamond Lion
+Diminish
+Diminishing Returns
+Dimir Charm
+Dimir Doppelganger
+Dimir Machinations
+Dimir Signet
+Dinosaur Headdress
+Dire Wolves
+Disallow
+Disappearing Act
+Disarm
+Disaster Radius
+Disciple of Bolas
+Discontinuity
+Discord, Lord of Disharmony
+Disharmony
+Dispatch
+Dispersal Shield
+Dispersing Orb
+Displace
+Dispossess
+Disrupting Shoal
+Distorting Lens
+Divebomber Griffin
+Divergent Growth
+Diversionary Tactics
+Divert
+Divine Deflection
+Divine Intervention
+Divine Light
+Divine Reckoning
+Diviner's Lockbox
+Divining Witch
+Dizzy Spell
+Djinn Illuminatus
+Djinn of Infinite Deceits
+Djinn of Wishes
+Dominate
+Dominating Licid
+Domineering Will
+Doomsday
+Doomsday Confluence
+Doubling Cube
+Dovin, Hand of Control
+Drafna's Restoration
+Dragon Mask
+Dragonrage
+Dragonshift
+Dragon Throne of Tarkir
+Dralnu, Lich Lord
+Drawn from Dreams
+Dread Charge
+Dreadship Reef
+Dreamcatcher
+Dream Salvage
+Dream's Grip
+Dream Stalker
+Dream Thrush
+Dreamwinder
+Dregs of Sorrow
+Dromar's Attendant
+Dromar, the Banisher
+Droning Bureaucrats
+Drop of Honey
+Drowned Rusalka
+Drown in Filth
+Dryad's Caress
+Dualcaster Mage
+Duct Crawler
+Dulcet Sirens
+Duplicity
+Dust of Moments
+Dwarven Armorer
+Dwarven Armory
+Dwarven Hold
+Dwarven Recruiter
+Dwarven Ruins
+Dwarven Sea Clan
+Dwarven Song
+Dwarven Thaumaturgist
+Dwell on the Past
+Early Harvest
+Earthbrawn
+Earthcraft
+Eater of Hope
+Ebonblade Reaper
+Ebon Stronghold
+Ebony Charm
+Ebony Horse
+Echoing Calm
+Echoing Decay
+Echoing Ruin
+Edge of Autumn
+Eight-and-a-Half-Tails
+Eladamri
+Elder Druid
+Elfhame Sanctuary
+Elite Arcanist
+Elsewhere Flask
+Elturel Survivors
+Elusive Tormentor
+Elven Palisade
+Elvish Scout
+Embalmed Brawler
+Embercleave
+Ember Gale
+Emberwilde Caliph
+Embolden
+Emerald Charm
+Emergence Zone
+Empty City Ruse
+Emrakul, the Promised End
+Endemic Plague
+Endless Horizons
+Endless Whispers
+Endling
+Endure
+Enduring Renewal
+Energy Arc
+Energy Chamber
+Energy Tap
+Energy Vortex
+Enervate
+Engineered Explosives
+Enigma Eidolon
+Enraging Licid
+Ensnare
+Entrancing Lyre
+Entrancing Melody
+Epic Experiment
+Epiphany Storm
+Equal Treatment
+Errand of Duty
+Erratic Mutation
+Error
+Ersatz Gnomes
+Ertai's Meddling
+Ertai, the Corrupted
+Esix, Fractal Bloom
+Esper Sojourners
+Essence Bottle
+Essence Flare
+Ethereal Champion
+Etherwrought Page
+Eunuchs' Intrigues
+Evershrike
+Everythingamajig
+Evolutionary Leap
+Evolution Charm
+Excavator
+Exert Influence
+Experiment Kraj
+Exponential Growth
+Extract
+Extravagant Spirit
+Eyekite
+Eye of Doom
+Eye of Ojer Taq
+Eye of Ramos
+Eye of Singularity
+Eye of the Storm
+Eyes of the Watcher
+Eye Spy
+Fabrication Foundry
+Faceless One
+Fade Away
+Faeburrow Elder
+Faith Healer
+Faithless Looting
+Faith's Shield
+Falkenrath Torturer
+False Dawn
+False Orders
+False Peace
+Falter
+Familiar's Ruse
+Famished Ghoul
+Fanatical Devotion
+Faramir, Prince of Ithilien
+Farrelite Priest
+Fascination
+Fasting
+Fatal Attraction
+Fatal Lore
+Fatal Mutation
+Fatestitcher
+Fate Transfer
+Fatigue
+Fault Riders
+Feed the Pack
+Feint
+Fendeep Summoner
+Fend Off
+Feral Contest
+Feral Deceiver
+Ferrous Lake
+Fertile Ground
+Fertile Imagination
+Festival
+Festival of the Guildpact
+Fetid Heath
+Fettergeist
+Field of Dreams
+Fiend Artisan
+Fiery Bombardment
+Fiery Gambit
+Fighting Chance
+Final Flare
+Final Fortune
+Final Revels
+Final Strike
+Fire and Brimstone
+Fireblade Artist
+Firecat Blitz
+Fire Covenant
+Firedrinker Satyr
+Firefright Mage
+Fire-Lit Thicket
+Firemind Vessel
+Firespout
+Fire Sprites
+Firestorm
+Flailing Manticore
+Flailing Ogre
+Flailing Soldier
+Flame Fusillade
+Flame-Kin War Scout
+Flameshot
+Flaring Pain
+Flash
+Flash of Defiance
+Flash of Insight
+Fleeting Spirit
+Flesh Reaver
+Flicker
+Flickerform
+Flickering Ward
+Flicker of Fate
+Floating Shield
+Floodbringer
+Floodchaser
+Flooded Grove
+Flooded Shoreline
+Floodtide Serpent
+Floodwater Dam
+Flowstone Slide
+Flowstone Surge
+Flurry of Wings
+Flux
+Fluxcharger
+Fog Patch
+Folio of Fancies
+Food Chain
+Footbottom Feast
+Forbid
+Forbidden Crypt
+Forbidden Ritual
+Forced March
+Force of Virtue
+Foreshadow
+Foresight
+Forfend
+Forge Armor
+Forgotten Lore
+Forsaken City
+Fortified Area
+Fortitude
+Fossil Find
+Foul-Tongue Shriek
+Foxfire
+Frantic Salvage
+Freed from the Real
+Frenetic Ogre
+Frenetic Sliver
+Fresh Meat
+Freyalise Supplicant
+Friendly Fire
+Funeral Pyre
+Fungal Reaches
+Fungus Elemental
+Furnace Brood
+Fury Charm
+Fylamarid
+Gabriel Angelfire
+Gaea's Blessing
+Gaea's Liege
+Galepowder Mage
+Gallowbraid
+Game of Chaos
+Gargantuan Gorilla
+Gargoyle Sentinel
+Garth One-Eye
+Gather Specimens
+Gauntlets of Chaos
+Gaze of Granite
+Gaze of Pain
+Gemstone Caverns
+General Jarkeld
+General's Regalia
+Generator Servant
+Geothermal Crevice
+Ghastly Haunting
+Ghave, Guru of Spores
+Ghostly Flicker
+Ghostly Possession
+Ghostly Touch
+Ghost Tactician
+Ghostway
+Ghoulcaller Gisa
+Ghoulcaller's Chant
+Giant Caterpillar
+Giant Oyster
+Giant Slug
+Giant Trap Door Spider
+Gibbering Descent
+Gideon, Champion of Justice
+Gideon Jura
+Gift of Doom
+Gift of Tusks
+Gilded Light
+Gitaxian Probe
+Give
+Glacial Chasm
+Glamerdye
+Glarecaster
+Glare of Subdual
+Glarewielder
+Glasses of Urza
+Glen Elendra
+Glen Elendra Pranksters
+Gliding Licid
+Glimmervoid Basin
+Glissa Sunseeker
+Glorious End
+Glyph of Destruction
+Glyph of Doom
+Glyph of Life
+Gnathosaur
+Goblin Archaeologist
+Goblin Artisans
+Goblin Bangchuckers
+Goblin Bombardment
+Goblin Cadets
+Goblin Cannon
+Goblin Clearcutter
+Goblin Diplomats
+Goblin Dynamo
+Goblin Flectomancer
+Goblin Game
+Goblin Legionnaire
+Goblin Lyre
+Goblin Machinist
+Goblin Recruiter
+Goblin Sappers
+Goblin Ski Patrol
+Goblin Test Pilot
+Goblin War Cry
+Goblin Welder
+God-Eternal Bontu
+Godtoucher
+Golgari Signet
+Golgothian Sylex
+Gore Vassal
+Gossamer Chains
+Grab the Reins
+Graceful Antelope
+Gravebind
+Grave Consequences
+Graven Cairns
+Gravepurge
+Grave Servitude
+Grazing Kelpie
+Great Defender
+Greater Good
+Greel, Mind Raker
+Greenseeker
+Grell Philosopher
+Gremlin Mine
+Grenzo, Dungeon Warden
+Grid Monitor
+Grim Contest
+Grimoire of the Dead
+Grimoire Thief
+Grim Reminder
+Grinning Ignus
+Grinning Totem
+Grixis Charm
+Grixis Illusionist
+Gruul Signet
+Guard Dogs
+Guardian Angel
+Guiding Spirit
+Guild Globe
+Gurzigost
+Gustha's Scepter
+Hail Storm
+Hakka, Whispering Raven
+Hallow
+Hallowed Ground
+Halls of Mist
+Hammerheim
+Hankyu
+Hapless Researcher
+Hard Cover
+Harmonic Convergence
+Harmony of Nature
+Harm's Way
+Harsh Deceiver
+Harsh Justice
+Harsh Mercy
+Harvest Mage
+Harvest Pyre
+Hatred
+Haunted Crossroads
+Haunting Misery
+Havengul Lich
+Havenwood Battleground
+Hazduhr the Abbot
+Head Games
+Healing Grace
+Heap Doll
+Heart of Ramos
+Heart Warden
+Heartwarming Redemption
+Heartwood Shard
+Heat Stroke
+Heat Wave
+Heaven's Gate
+Hecatomb
+Helionaut
+HELIOS One
+Hell-Bent Raider
+Hellish Rebuke
+Hell's Caretaker Avatar
+Helvault
+Henge of Ramos
+Heretic's Punishment
+Heritage Druid
+Heroic Defiance
+Heroism
+Hesitation
+Hew the Entwood
+Hex Parasite
+Hidden Stag
+Hidden Strings
+High Tide
+Hisoka, Minamo Sensei
+Hisoka's Guard
+Hobbit's Sting
+Holistic Wisdom
+Hollowhenge Spirit
+Hollow Trees
+Holy Justiciar
+Homarid Spawning Bed
+Homicidal Brute
+Homing Sliver
+Horn of Ramos
+Horror of Horrors
+Hour of Eternity
+Hour of Need
+Hua Tuo, Honored Physician
+Hubris
+Hull Breach
+Hundred-Talon Strike
+Hunt Down
+Hunter's Ambush
+Hunter's Insight
+Hurr Jackal
+Hydromorph Guardian
+Hydromorph Gull
+Hyperion Blacksmith
+Hypochondria
+Ib Halfheart, Goblin Tactician
+Icatian Store
+Iceberg
+Ice Cauldron
+Ice Floe
+Ichor Explosion
+Ideas Unbound
+Idol of Endurance
+Ignition Team
+Ignorant Bliss
+Iizuka the Ruthless
+Ill-Gotten Gains
+Illuminated Folio
+Illuminated Wings
+Illusionary Mask
+Illusionary Terrain
+Illusionist's Gambit
+Illusionist's Stratagem
+Illusion of Choice
+Illusory Demon
+Imagecrafter
+Immovable Rod
+Impelled Giant
+Implements of Sacrifice
+Imprison
+Improbable Alliance
+Impromptu Raid
+Improvised Club
+Imp's Mischief
+Imps' Taunt
+Iname, Death Aspect
+Incandescent Soulstoke
+Incite
+Incite Hysteria
+Incite Rebellion
+Incite War
+Indestructible Aura
+Induce Despair
+Infernal Darkness
+Infernal Harvest
+Infernal Offering
+Infernal Plunge
+Infernal Tribute
+Infernal Tutor
+Inferno Trap
+Infinite Obliteration
+Infused Arrows
+Infuse with the Elements
+Initiates of the Ebon Hand
+Inkfathom Witch
+Inner Sanctum
+Inner Struggle
+Innocent Blood
+Inquisitor's Snare
+Inside Out
+Insidious Dreams
+Insidious Mist
+Insist
+Inspired Sprite
+Instigator
+Intellectual Offering
+Interdict
+Interplanar Beacon
+Intervention Pact
+Intimidation Bolt
+Into the Fray
+Invert the Skies
+Ion Storm
+Irencrag Feat
+Iron-Heart Chimera
+Irresistible Prey
+Irrigation Ditch
+Island of Wak-Wak
+Island Sanctuary
+Isochron Scepter
+Ith, High Arcanist
+Ivory Charm
+Ivory Gargoyle
+Ivy Seer
+Izzet Chemister
+Izzet Signet
+Jace's Archivist
+Jace, the Living Guildpact
+Jackalope Herd
+Jade Monolith
+Jalira, Master Polymorphist
+Jamuraan Lion
+Jandor's Ring
+Jandor's Saddlebags
+Jangling Automaton
+Jar of Eyeballs
+Jasmine Seer
+Jester's Cap
+Jester's Mask
+Jester's Scepter
+Jetfire, Air Guardian
+Jetfire, Ingenious Scientist
+Jeweled Amulet
+Jeweled Bird
+Jeweled Spirit
+Jhoira of the Ghitu
+Jinx
+Jinxed Choker
+Jinxed Idol
+Jinxed Ring
+Johan
+Jolrael, Mwonvuli Recluse
+Jolt
+Jolting Merfolk
+Journey of Discovery
+Judge Unworthy
+Juju Bubble
+Jund Charm
+Junk Golem
+Junkyo Bell
+Juxtapose
+Kaboom!
+Kaervek's Spite
+Kagemaro, First to Suffer
+Kagemaro's Clutch
+Kaho, Minamo Historian
+Kaleidostone
+Kamahl's Summons
+Kami of Ancient Law
+Karn, Silver Golem
+Karn's Touch
+Karona's Zealot
+Karplusan Minotaur
+Kavu Recluse
+Kaya, Ghost Assassin
+Kazuul's Toll Collector
+Keeper of Progenitus
+Keldon Battlewagon
+Keldon Necropolis
+Kenrith's Transformation
+Kheru Spellsnatcher
+Kiku, Night's Flower
+Kiku's Shadow
+Killing Glare
+Killing Wave
+Kill-Suit Cultist
+Kill Switch
+Kindle the Carnage
+Kiora's Follower
+Kithkin Armor
+Kitsune Mystic
+Kitsune Palliator
+Kjeldoran Javelineer
+Kjeldoran Pride
+Knacksaw Clique
+Knight of the Mists
+Knollspine Dragon
+Knotvine Mystic
+Knowledge Exploitation
+Knowledge Vault
+Kor Chant
+Kor Dirge
+Kor Outfitter
+Koskun Keep
+Krark-Clan Engineers
+Krark-Clan Ironworks
+Krark-Clan Ogre
+Krark-Clan Shaman
+Krark-Clan Stoker
+Krasis Incubation
+Kris Mage
+Krosan Archer
+Krosan Reclamation
+Krosan Restorer
+Krovikan Plague
+Krovikan Sorcerer
+Krovikan Whispers
+Kry Shield
+Kukemssa Serpent
+Kuldotha Flamefiend
+Kylox, Visionary Inventor
+Labyrinth of Skophos
+Lady Evangela
+Lady Sun
+Lake of the Dead
+Lammastide Weave
+Lancers en-Kor
+Land's Edge
+Landslide
+Lantern of Insight
+Laquatus's Creativity
+Last Chance
+Last-Ditch Effort
+Latulla, Keldon Overseer
+Launch Party
+Lavabrink Floodgates
+Lead-Belly Chimera
+Leaden Fists
+Leave No Trace
+Leech Bonder
+Leeches
+Leeching Licid
+Legerdemain
+Lens of Clarity
+Leviathan
+Liar's Pendulum
+Lieutenant Kirtar
+Lifecraft Awakening
+Lifelace
+Life Matrix
+Life's Legacy
+Lightning Dart
+Lightning Storm
+Lightning Volley
+Liliana's Indignation
+Lim-Dûl's Paladin
+Lim-Dûl's Vault
+Limestone Golem
+Limited Resources
+Lion's Eye Diamond
+Liquid Fire
+Lithatog
+Lithomantic Barrage
+Living Destiny
+Llanowar Druid
+Loathsome Catoblepas
+Lobelia Sackville-Baggins
+Locus of Enlightenment
+Long-Term Plans
+Lost Legacy
+Lotus Blossom
+Loxodon Lifechanter
+Loxodon Peacekeeper
+Lumengrid Augur
+Luminesce
+Lyzolda, the Blood Witch
+Madblind Mountain
+Maddening Imp
+Mad Prophet
+Mageta the Lion
+Magewright's Stone
+Magical Hack
+Magma Burst
+Magma Giant
+Magmasaur
+Magmatic Channeler
+Magmatic Chasm
+Magmatic Insight
+Magma Vein
+Magmaw
+Magnetic Theft
+Magosi, the Waterveil
+Magus of the Bazaar
+Magus of the Candelabra
+Magus of the Jar
+Magus of the Unseen
+Magus of the Wheel
+Malakir Soothsayer
+Malevolent Awakening
+Malicious Advice
+Manabond
+Mana Cache
+Mana Clash
+Mana Cylix
+Mana Maze
+Manamorphose
+Mana Prism
+Manascape Refractor
+Mana Screw
+Mana Seism
+Mana Severance
+Mana Short
+Mana Vapors
+Mandate of Peace
+Mangara's Tome
+Manifold Key
+Manipulate Fate
+Mannichi, the Fevered Dream
+Manor Gargoyle
+Maraleaf Rider
+Maralen of the Mornsong Avatar
+Marath, Will of the Wild
+Marauding Raptor
+Maraxus of Keld
+March of the Drowned
+Mardu Blazebringer
+Marker Beetles
+Market Festival
+Mark for Death
+Maro
+Maro Avatar
+Marshaling the Troops
+Marshal's Anthem
+Marsh Flitter
+Marsh Lurker
+Martyred Rusalka
+Martyr of Ashes
+Martyr of Bones
+Martyr of Frost
+Martyr of Sands
+Martyr of Spores
+Martyr's Cause
+Martyrs' Tomb
+Mask of Immolation
+Mask of the Mimic
+Mass Polymorph
+Mastercraft Raptor
+Masterful Replication
+Master of the Veil
+Master Warcraft
+Masticore
+Masumaro, First to Live
+Measure of Wickedness
+Meddle
+Medicine Bag
+Megatherium
+Melee
+Meltdown
+Memoricide
+Memory Jar
+Memory Plunder
+Memory's Journey
+Mental Discipline
+Mercadian Lift
+Mercadia's Downfall
+Merchant Scroll
+Merciless Resolve
+Merfolk Thaumaturgist
+Merrow Grimeblotter
+Merrow Wavebreakers
+Mesmeric Sliver
+Mesmeric Trance
+Metalworker
+Metamorphose
+Metamorphosis
+Metathran Transport
+Meteor Crater
+Meteor Shower
+Midnight Ritual
+Midsummer Revel
+Might of the Nephilim
+Minamo Sightbender
+Mind Bend
+Mindblaze
+Mind Bomb
+Mindbreak Trap
+Mind Extraction
+Mind Games
+Mindlash Sliver
+Mindlink Mech
+Mind Over Matter
+Mindreaver
+Minds Aglow
+Mind Slash
+Mindslaver
+Mind Swords
+Minion of Leshrac
+Minion of the Wastes
+Minions' Murmurs
+Mirage Mirror
+Mire Shade
+Mirozel
+Mirri
+Mirror Entity
+Mirror of Fate
+Mirror of the Forebears
+Mirror Strike
+Mirrorwood Treefolk
+Mischievous Quanar
+Misdirection
+Mishra's Bauble
+Mishra's Helix
+Misinformation
+Misleading Signpost
+Mission Briefing
+Mistbreath Elder
+Mistform Dreamer
+Mistform Mask
+Mistform Mutant
+Mistform Seaswift
+Mistform Shrieker
+Mistform Skyreaver
+Mistform Sliver
+Mistform Stalker
+Mistform Wakecaster
+Mistform Wall
+Mistform Warchief
+Mitotic Manipulation
+Mizzium Transreliquat
+Mizzix's Mastery
+Mnemonic Nexus
+Mogg Cannon
+Mogg Raider
+Mogg Squad
+Mogis's Warhound
+Molten Firebird
+Molten Slagheap
+Moment of Silence
+Momentous Fall
+Moonbow Illusionist
+Moonlace
+Moonlight Bargain
+Moonlight Geist
+Moonmist
+Moonring Island
+Moonring Mirror
+Morality Shift
+Moratorium Stone
+Morgue Thrull
+Morgue Toad
+Morinfen
+Morinfen Avatar
+Moriok Replica
+Mossfire Egg
+Mossfire Valley
+Mountain Titan
+Mourning
+Murderous Betrayal
+Myojin of Life's Web
+Myojin of Seeing Winds
+Myr Landshaper
+Myr Quadropod
+Mystic Barrier
+Mystic Compass
+Mystic Confluence
+Mystic Gate
+Mystic Reflection
+Mystic Veil
+Mythos of Snapdax
+Nacatl Hunt-Pride
+Nahiri's Lithoforming
+Nahiri's Wrath
+Nahiri, the Lithomancer
+Naked Singularity
+Nameless Race
+Nantuko Cultivator
+Nantuko Mentor
+Narcissism
+Natural Affinity
+Nature's Chosen
+Nebuchadnezzar
+Necrodominance
+Necromancer's Stockpile
+Necropotence Avatar
+Need for Speed
+Nefarious Lich
+Nemata, Grove Guardian
+Nesting Grounds
+Netherborn Altar
+Nethergoyf
+Nettling Imp
+Neurok Replica
+Neverending Torment
+New Frontiers
+Niblis of the Breath
+Nightbird's Clutches
+Night Dealings
+Nightmare Unmaking
+Nightscape Apprentice
+Nightshade Assassin
+Nightshade Seer
+Night Soil
+Nihilistic Glee
+Nim Replica
+Nim Shambler
+Nissa's Judgment
+Niveous Wisps
+Nivix, Aerie of the Firemind
+Nivmagus Elemental
+Nomadic Elf
+Nomads en-Kor
+Nomad Stadium
+Norritt
+North Star
+Nostalgic Dreams
+Nourishing Shoal
+Nova Pentacle
+Noxious Vapors
+Nullmage Advocate
+Nullmage Shepherd
+Nullstone Gargoyle
+Nurturing Licid
+Nyx Weaver
+Oath of Lim-Dûl
+Oath of Scholars
+Obeka, Brute Chronologist
+Oblivion Crown
+Oblivion Stone
+Ob Nixilis of the Black Oath
+Oboro Breezecaller
+Oboro Envoy
+Obscuring Aether
+Odric, Master Tactician
+Odunos River Trawler
+Offalsnout
+Ogre Battlecaster
+Ogre Recluse
+Omnath, Locus of Mana
+Omnibian
+One with Death
+Ooze Flux
+Opal Acrolith
+Opal-Eye, Konda's Yojimbo
+Ophidian
+Opposition
+Oppressive Will
+Oracle
+Oracle's Attendants
+Orcish Bloodpainter
+Orcish Farmer
+Orcish Librarian
+Orcish Lumberjack
+Orcish Mechanics
+Orcish Settlers
+Order of Succession
+Oread of Mountain's Blaze
+Ore-Rich Stalactite
+Oreskos Explorer
+Oriss, Samite Guardian
+Ormos, Archive Keeper
+Ornate Kanzashi
+Orochi Leafcaller
+Orzhov Charm
+Orzhov Pontiff
+Orzhov Signet
+Otherworld Atlas
+Oubliette
+Outbreak
+Outmaneuver
+Outrider en-Kor
+Overblaze
+Overcharged Amalgam
+Overeager Apprentice
+Overflowing Basin
+Overgrown Estate
+Overlaid Terrain
+Overmaster
+Overtaker
+Overwhelm
+Ovinomancer
+Oxidda Daredevil
+Pack Hunt
+Pack's Disdain
+Pact of Negation
+Pact of the Serpent
+Pact of the Titan
+Painbringer
+Painted Bluffs
+Pale Moon
+Paleontologist's Pick-Axe
+Pale Wayfarer
+Panacea
+Pangosaur
+Panoptic Mirror
+Paradigm Shift
+Parallax Dementia
+Parallax Tide
+Parallax Wave
+Parallectric Feedback
+Parallel Thoughts
+Pardic Lancer
+Pardic Miner
+Pardic Swordsmith
+Paroxysm
+Past in Flames
+Patriarch's Bidding
+Patriarch's Desire
+Patron of the Akki
+Patron of the Kitsune
+Patron of the Moon
+Patron of the Nezumi
+Patron of the Orochi
+Peacekeeper
+Peat Bog
+Peek
+Peel from Reality
+Peer Pressure
+Peregrine Mask
+Perpetual Timepiece
+Perplexing Chimera
+Personal Incarnation
+Petals of Insight
+Petrahydrox
+Phantasmal Form
+Phantasmal Mount
+Phantasmal Sphere
+Phantasmal Terrain
+Phantatog
+Phelddagrif
+Phosphorescent Feast
+Phyrexian Colossus
+Phyrexian Delver
+Phyrexian Devourer
+Phyrexian Etchings
+Phyrexian Gremlins
+Phyrexian Grimoire
+Phyrexian Negator
+Phyrexian Plaguelord
+Phyrexian Portal
+Phyrexian Processor
+Phyrexian Purge
+Phyrexian Reclamation
+Phyrexian Revoker
+Phyrexian Scrapyard
+Phyrexian Soulgorger
+Phyrexian Splicer
+Phyrexian Totem
+Phyrexian Tower
+Phyrexian Vault
+Phyrexia's Core
+Piety
+Pili-Pala
+Pillar Tombs of Aku
+Pitchstone Wall
+Plagiarize
+Plague Boiler
+Plaguemaw Beast
+Plague Reaver
+Planar Guide
+Planar Overlay
+Planeswalker's Fury
+Plow Through Reito
+Plunge into Darkness
+Political Trickery
+Pollen Remedy
+Polymorph
+Polymorphist's Jest
+Polymorphous Rush
+Portal Mage
+Portal of Sanctuary
+Postmortem Lunge
+Powder Keg
+Praetor's Grasp
+Precognition
+Predict
+Price of Glory
+Priest of Yawgmoth
+Primal Adversary
+Primal Cocoon
+Primal Plasma
+Primordial Mist
+Primordial Ooze
+Prism Array
+Prismatic Circle
+Prismatic Ending
+Prismatic Lace
+Prismatic Lens
+Prismatic Strands
+Prismite
+Prismwake Merrow
+Proclamation of Rebirth
+Profane Command
+Profaner of the Dead
+Profane Transfusion
+Prohibit
+Promise of Power
+Prophetic Prism
+Prophetic Ravings
+Protective Sphere
+Proteus Staff
+Provoke
+Psionic Entity
+Psionic Ritual
+Psychatog
+Psychic Intrusion
+Psychic Possession
+Psychic Puppetry
+Psychic Surgery
+Psychic Theft
+Psychic Trance
+Psychic Transfer
+Psychic Vortex
+Psychosis Crawler
+Psychotic Episode
+Pteron Ghost
+Puca's Mischief
+Pulsemage Advocate
+Pulse of Llanowar
+Puppeteer
+Puppet Strings
+Puppet's Verdict
+Pure Intentions
+Purelace
+Puresight Merrow
+Pursuit of Knowledge
+Putrid Cyclops
+Putrid Imp
+Putrid Leech
+Putrid Warrior
+Pygmy Hippo
+Pyric Salamander
+Pyromancy
+Pyromania
+Pyxis of Pandemonium
+Quagmire Druid
+Quarum Trench Gnomes
+Quest for Pure Flame
+Questing Phelddagrif
+Quickchange
+Quicken
+Quickening Licid
+Quicksilver Dragon
+Quicksilver Elemental
+Quiet Speculation
+Quirion Ranger
+Radiant Flames
+Radiant Kavu
+Ragamuffyn
+Ragnar
+Rainbow Crow
+Rain of Daggers
+Rain of Filth
+Rain of Rust
+Rakalite
+Rakdos Augermage
+Rakdos Charm
+Rakdos Riteknife
+Rakdos Signet
+Rally the Ancestors
+Rally the Righteous
+Rally the Troops
+Ramosian Rally
+Ransack
+Rapid Decay
+Rapid Fire
+Rath's Edge
+Rats' Feast
+Ravenous Vampire
+Raze
+Razia, Boros Archangel
+Razia's Purification
+Razormane Masticore
+Razor Pendulum
+Read the Runes
+Reality Ripple
+Reality Spasm
+Reality Twist
+Realm Razer
+Reaping the Rewards
+Rebound
+Recall
+Recantation
+Reckless Abandon
+Reckless Assault
+Reckless Barbarian
+Reclusive Wight
+Reconnaissance
+Recurring Insight
+Redcap Melee
+Redeem
+Redirect
+Reef Shaman
+Reflect Damage
+Reflecting Mirror
+Refraction Trap
+Refuse
+Reign of Terror
+Reins of Power
+Reins of the Vinesteed
+Reject Imperfection
+Relic Bind
+Relic Ward
+Remedy
+Renounce
+Repel Intruders
+Repel the Abominable
+Repentance
+Replicate
+Reprocess
+Repudiate
+Reroute
+Rescue from the Underworld
+Reset
+Reshape
+Resilient Wanderer
+Resistance Fighter
+Resounding Roar
+Resounding Scream
+Resounding Silence
+Restless Dreams
+Restore Balance
+Resuscitate
+Retraced Image
+Retraction Helix
+Retribution of the Ancients
+Revelation
+Reverberation
+Reverent Mantra
+Reverse the Sands
+Reweave
+Rhystic Cave
+Rhystic Circle
+Rhystic Deluge
+Rhystic Lightning
+Rhystic Shield
+Ria Ivor, Bane of Bladehold
+Riddle of Lightning
+Ride the Avalanche
+Rift Elemental
+Righteous Aura
+Righteousness
+Rimehorn Aurochs
+Rimewind Taskmage
+Ring of Gix
+Ring of Ma'rûf
+Riot Control
+Riptide Chronologist
+Riptide Mangler
+Riptide Shapeshifter
+Rishadan Port
+Rite of Ruin
+Rite of Undoing
+Rites of Initiation
+Rites of Refusal
+Rites of Spring
+Rith's Attendant
+Ritual of Subdual
+Ritual of the Machine
+River's Grasp
+Roar of Challenge
+Roar of Jukai
+Roar of the Crowd
+Roar of the Kha
+Rocket Launcher
+Rock Hydra
+Rofellos's Gift
+Rogue Skycaptain
+Roiling Horror
+Roilmage's Trick
+Role Reversal
+Rollick of Abandon
+Root Greevil
+Rootrunner
+Rootwater Mystic
+Rotting Giant
+Rouse
+Rude Awakening
+Rugged Prairie
+Rug of Smothering
+Ruins of Trokair
+Rumbling Crescendo
+Rummaging Wizard
+Run Away Together
+Runed Halo
+Rune of Protection: Artifacts
+Rune of Protection: Black
+Rune of Protection: Blue
+Rune of Protection: Green
+Rune of Protection: Lands
+Rune of Protection: Red
+Rune of Protection: White
+Rupture
+Ruric Thar, the Unbowed
+Rushwood Herbalist
+Rust
+Ruthless Disposal
+Ruthless Invasion
+Sacellum Godspeaker
+Sacred Mesa
+Sacred Rites
+Sacrifice
+Safe Haven
+Saffi Eriksdotter
+Sage of Ancient Lore
+Sage of Hours
+Saheeli's Lattice
+Saltcrusted Steppe
+Samite Censer-Bearer
+Samite Elder
+Sanctum Guardian
+Sanctum of Eternity
+Sanctum Prelate
+Sand Silos
+Sandsower
+Sand Squid
+Sandstone Deadfall
+Sandstone Needle
+Sandstorm Eidolon
+Sanguimancy
+Sanguine Praetor
+Sapphire Charm
+Saprazzan Outrigger
+Saprazzan Skerry
+Saproling Burst
+Saproling Cluster
+Sarulf, Realm Eater
+Satyr Piper
+Savage Beating
+Savage Firecat
+Savage Summoning
+Sawtooth Loon
+Scab-Clan Giant
+Scapegoat
+Scapeshift
+Scarab of the Unseen
+Scarecrow
+Scarwood Bandits
+Scent of Brine
+Scent of Cinder
+Scent of Ivy
+Scent of Jasmine
+Scent of Nightshade
+Scheming Symmetry
+School of the Unseen
+Scourge of Skola Vale
+Scouting Trek
+Scout's Warning
+Scrambleverse
+Scrap Mastery
+Scroll Rack
+Scrounging Bandar
+Scryb Ranger
+Scrying Glass
+Scrying Sheets
+Scuttling Death
+Sea Kings' Blessing
+Sealed Fate
+Séance
+Search for Survivors
+Search Warrant
+Searing Rays
+Searing Spear Askari
+Sea Scryer
+Sea Snidd
+Second Wind
+See Beyond
+Seedling Charm
+Seeds of Innocence
+Seedtime
+Segmented Wurm
+Seismic Stomp
+Selective Obliteration
+Selesnya Eulogist
+Selesnya Signet
+Selfless Cathar
+Selfless Exorcist
+Selvala, Explorer Returned
+Sengir Nosferatu
+Sentinel
+Serendib Djinn
+Serene Master
+Serene Sunset
+Serra's Hymn
+Serum Powder
+Setessan Tactics
+Sewerdreg
+Sewers of Estark
+Shade's Breath
+Shadowblood Egg
+Shadowblood Ridge
+Shadow of Doubt
+Shahrazad
+Shaman en-Kor
+Shaman's Trance
+Shambling Swarm
+Shaper Parasite
+Shapesharer
+Shapeshifter
+Shared Fate
+Shared Trauma
+Shattered Crypt
+Shattered Perception
+Shauku, Endbringer
+Shell of the Last Kappa
+Sheltering Ancient
+Shield Dancer
+Shielded by Faith
+Shielded Passage
+Shieldmage Advocate
+Shieldmage Elder
+Shields of Velis Vel
+Shield Wall
+Shifting Borders
+Shifting Loyalties
+Shifty Doppelganger
+Shimatsu the Bloodcloaked
+Shimmer
+Shimmering Grotto
+Shimmering Mirage
+Shinen of Life's Roar
+Shining Shoal
+Shisato, Whispering Hunter
+Shoving Match
+Showstopper
+Shred Memory
+Shrewd Negotiation
+Shrine of Boundless Growth
+Shrine of Limitless Power
+Shrine of Piercing Vision
+Shriveling Rot
+Shrouded Lore
+Shunt
+Sickening Dreams
+Sickening Shoal
+Sideswipe
+Signal the Clans
+Signpost Scarecrow
+Silent Assassin
+Silumgar Sorcerer
+Silverglade Pathfinder
+Silver Wyvern
+Simic Basilisk
+Simic Guildmage
+Simic Manipulator
+Simic Signet
+Simulacrum
+Singing Tree
+Single Combat
+Sink into Takenuma
+Sins of the Past
+Siren's Call
+Siren Song Lyre
+Siren's Ruse
+Sisay
+Sisay's Ingenuity
+Sivvi's Ruse
+Sivvi's Valor
+Skeletal Scrying
+Skinshifter
+Skirge Familiar
+Skirk Alarmist
+Skirk Volcanist
+Skirsdag Flayer
+Skittering Horror
+Skittering Monstrosity
+Skittering Skirge
+Skulltap
+Skycloud Egg
+Skycloud Expanse
+Skyscribing
+Skyship Plunderer
+Skyshroud Blessing
+Skyshroud Elf
+Slate of Ancestry
+Slaughter Games
+Slaughter Pact
+Slaughter-Priest of Mogis
+Slaughter the Strong
+Sleight of Mind
+Slimy Kavu
+Slingbow Trap
+Slinking Skirge
+Slobad, Goblin Tinkerer
+Slumbering Tora
+Smite
+Snakeform
+Snowfall
+Sokenzan Renegade
+Sokrates, Athenian Teacher
+Solar Blaze
+Soldevi Adnate
+Soldevi Digger
+Soldevi Excavations
+Soldevi Golem
+Soldevi Sage
+Soldier Replica
+Solidarity
+Solitary Confinement
+Soltari Guerrillas
+Song of Blood
+Soothsaying
+Sophic Centaur
+Soramaro, First to Dream
+Soratami Cloud Chariot
+Soratami Cloudskater
+Soratami Seer
+Sorcerer's Broom
+Sorcerous Spyglass
+Sorrow's Path
+Soulblast
+Soulbright Flamekin
+Soul Channeling
+Soul Conduit
+Soulgorger Orgg
+Soul Kiss
+Soul Sculptor
+Soul Seizer
+Soul's Grace
+Soul's Might
+Soul Strings
+Space Beleren
+Spare from Evil
+Spark of Creativity
+Spawnbinder Mage
+Spawnbroker
+Spawning Pit
+Specter's Shriek
+Spectral Adversary
+Spectral Searchlight
+Spectral Shift
+Spellbinder
+Spell Contortion
+Spellshift
+Spellshock
+Spelltwine
+Spellweaver Helix
+Spellweaver Volute
+Sphinx's Decree
+Spike Rogue
+Spincrusher
+Spinning Darkness
+Spirit en-Kor
+Spiritual Asylum
+Spiritualize
+Spiteflame Witch
+Spitting Slug
+Spitting Spider
+Splintering Wind
+Split Decision
+Spoils of Evil
+Spoils of the Vault
+Spoils of War
+Springjack Pasture
+Springleaf Drum
+Spurred Wolverine
+Spy Network
+Squallmonger
+Squandered Resources
+Square Up
+Squealing Devil
+Squee
+Squee's Revenge
+Stain the Mind
+Stalking Yeti
+Standardize
+Standstill
+Starke of Rath
+Stasis Cell
+Static Orb
+Steadfastness
+Steal Enchantment
+Steel Golem
+Steeling Stance
+Stifle
+Stinging Licid
+Stir the Pride
+Stitcher's Apprentice
+Stonewise Fortifier
+Stonybrook Angler
+Storage Matrix
+Storm King's Thunder
+Stormwatch Eagle
+Strands of Night
+Strange Inversion
+Strategic Planning
+Stream of Consciousness
+Street Sweeper
+Strionic Resonator
+Strip Bare
+Stromgald Spy
+Strongarm Tactics
+Stronghold Assassin
+Stronghold Gambit
+Stunning Reversal
+Subdue
+Sudden Demise
+Sudden Disappearance
+Sudden Spoiling
+Sudden Substitution
+Suffer the Past
+Suicidal Charge
+Sulfur Vent
+Sultai Ascendancy
+Summary Dismissal
+Summoner's Egg
+Summoner's Pact
+Sunbird Effigy
+Sunbird Standard
+Sundial of the Infinite
+Sunglasses of Urza
+Sungrass Egg
+Sungrass Prairie
+Sunken Ruins
+Sunscape Apprentice
+Sunscorched Divide
+Suppress
+Surge of Strength
+Surprise Deployment
+Surreal Memoir
+Surveyor's Scope
+Survivor of the Unseen
+Svogthos, the Restless Tomb
+Svyelunite Temple
+Swan Song
+Swashbuckler Extraordinaire
+Sway of Illusion
+Sway of the Stars
+Swerve
+Swift Silence
+Sword of the Ages
+Sword of the Paruns
+Sworn Defender
+Sylvan Awakening
+Sylvan Library
+Sylvan Offering
+Sylvan Paradise
+Sylvan Safekeeper
+Sylvan Yeti
+Synod Artificer
+Synod Sanctum
+Synthesis Pod
+Synthetic Destiny
+Syr Elenora, the Discerning
+Tahngarth, First Mate
+Tahngarth's Rage
+Taigam, Sidisi's Hand
+Taigam's Scheming
+Tainted Adversary
+Tainted Aether
+Takara
+Take
+Takklemaggot
+Talon of Pain
+Tamiyo, Collector of Tales
+Tariff
+Taunt
+Taunting Challenge
+Tawnos's Coffin
+Teardrop Kami
+Tears of Rage
+Tectonic Break
+Teferi's Care
+Teferi's Veil
+Telekinetic Bonds
+Telepathy
+Telim'Tor's Edict
+Tel-Jilad Stylus
+Temporal Aperture
+Temporal Cascade
+Temporary Truce
+Tempting Licid
+Tendrils of Despair
+Tergrid's Shadow
+Terraformer
+Terrarion
+Terrifying Presence
+Testament of Faith
+Thalakos Mistfolk
+Thassa's Ire
+Thaumatog
+The Chain Veil
+The Enigma Jewel
+The Grand Tour
+Thelonite Monk
+The Prismatic Piper
+Thermal Flux
+Thermopod
+The Royal Scions
+Thespian's Stage
+Thieves' Auction
+Thing from the Deep
+Think Tank
+Thought Courier
+Thought Dissector
+Thought Gorger
+Thought Hemorrhage
+Thoughtlace
+Thought Lash
+Thoughtpicker Witch
+Thought Prison
+Thoughts of Ruin
+Thran Forge
+Thran Portal
+Thran Weaponry
+Three Wishes
+Throes of Chaos
+Through the Breach
+Throwing Knife
+Thrull Wizard
+Thunderheads
+Thundering Djinn
+Thwart
+Thwart the Enemy
+Tidal Bore
+Tidal Control
+Tidal Flats
+Tidal Visionary
+Tidal Warrior
+Tidal Wave
+Tideforce Elemental
+Tideshaper Mystic
+Tidewater Minion
+Time and Tide
+Timebender
+Timecrafting
+Time Elemental
+Timely Interference
+Timely Ward
+Time Stop
+Timid Drake
+Tinder Farm
+Tinder Wall
+Tin Street Market
+Tin-Wing Chimera
+Titans' Nest
+Titan's Presence
+Toils of Night and Day
+Tolarian Winds
+Tolaria West
+Tomb of Urami
+Tomb Robber
+Tomorrow, Azami's Familiar
+Tooth of Ramos
+Torchling
+Tornado
+Torpid Moloch
+Tortoise Formation
+Torture Chamber
+Tortured Existence
+Total War
+Touch of Darkness
+Touch of Vitae
+Tower Defense
+Toxic Deluge
+Trace of Abundance
+Trade Routes
+Trading Post
+Tragic Arrogance
+Trait Doctoring
+Tranquil Frillback
+Transluminant
+Transmogrifying Licid
+Transmutation
+Trash for Treasure
+Treacherous Link
+Treacherous Terrain
+Treacherous Vampire
+Treetop Defense
+Trench Gorger
+Trenching Steed
+Treva's Attendant
+Treva's Charm
+Triad of Fates
+Trial
+Triangle of War
+Triassic Egg
+Tribal Unity
+Trickbind
+Trickery Charm
+Trickster Mage
+Triton Tactics
+Tropical Storm
+Troubled Healer
+Truce
+Trusted Advisor
+Tsabo's Decree
+Tundra Kavu
+Tunnel Vision
+Turbulent Dreams
+Turnabout
+Turn to Frog
+Turtleshell Changeling
+Twiddle
+Twilight Mire
+Twinning Glass
+Twist Allegiance
+Twisted Image
+Twitch
+Ulvenwald Tracker
+Unbender Tine
+Uncage the Menagerie
+Undergrowth
+Undying Evil
+Undying Flames
+Unearthly Blizzard
+Unerring Sling
+Unfulfilled Desires
+Unlikely Alliance
+Unmask
+Unnatural Selection
+Unnerving Assault
+Unspeakable Symbol
+Unstable Footing
+Unstable Frontier
+Urborg
+Urborg Panther
+Urza's Avenger
+Urza's Bauble
+Utopia Sprawl
+Valleymaker
+Valor Made Real
+Vampire Lacerator
+Vampire Warlord
+Vampiric Tutor
+Vampirism
+Vanishing
+Vanish into Memory
+Varchild's Crusader
+Vassal's Duty
+Vault 21: House Gambit
+Vedalken Plotter
+Veil of Secrecy
+Venarian Glimmer
+Vengeful Archon
+Vengeful Dreams
+Venomous Breath
+Venser, the Sojourner
+Ventifact Bottle
+Verdant Eidolon
+Verdant Haven
+Verdant Rebirth
+Veteran's Voice
+Vexing Arcanix
+Vexing Shusher
+Viashino Sandswimmer
+Viashino Skeleton
+Vicious Betrayal
+Vigean Intuition
+Vigilant Martyr
+Vine Snare
+Viridescent Bog
+Viridian Acolyte
+Viscera Seer
+Vish Kal, Blood Arbiter
+Vision Charm
+Visions
+Visions of Duplicity
+Vitalize
+Vivisection
+Vizier of Tumbling Sands
+Vodalian Illusionist
+Vodalian Mystic
+Void
+Voidmage Apprentice
+Voidmage Prodigy
+Voidslime
+Volcano Hellion
+Volrath's Gardens
+Volrath's Stronghold
+Vona's Hunger
+Voodoo Doll
+Vortex Elemental
+Voyager Staff
+Waiting in the Weeds
+Wake of Destruction
+Waker of Waves
+Wake the Dead
+Wake to Slaughter
+Walking Desecration
+Walking Sponge
+Walk the Aeons
+Wall of Limbs
+Wall of Shadows
+Wall of Vapor
+Wall of Vipers
+Wandering Eye
+Wand of Denial
+War Barge
+Warbreak Trumpeter
+Ward of Lights
+Ward of Piety
+Warren Weirding
+Warrior en-Kor
+Warriors' Lesson
+Warrior's Oath
+Warrior's Stand
+War Tax
+Waterfront Bouncer
+Waterspout Elemental
+Wave Elemental
+Wave of Indifference
+Wave of Reckoning
+Wave of Terror
+Weapon Rack
+Weaver of Lies
+Weight of Spires
+Weird Harvest
+Welcome to the Fold
+Werewolf of Ancient Hunger
+Wheel of Potential
+Whetwheel
+Whim of Volrath
+Whims of the Fates
+Whipgrass Entangler
+Whipkeeper
+Whip Vine
+Whirlpool Warrior
+Whirlpool Whelm
+Whispering Madness
+Whiteout
+Wicked Reward
+Wild Dogs
+Wild Growth
+Wild Guess
+Wild Magic Surge
+Wild Ricochet
+Willbender
+Windfall
+Winding Canyons
+Winding Way
+Windshaper Planetar
+Winds of Change
+Wings of Hubris
+Wings of Velis Vel
+Winnow
+Winter's Chill
+Winter Sky
+Winter's Night
+Wirewood Channeler
+Wirewood Symbiote
+Wishmonger
+Wistful Thinking
+Witch Engine
+Wizard Mentor
+Wizard Replica
+Wizard's Rockets
+Wizards' School
+Wojek Apothecary
+Wojek Embermage
+Wojek Siren
+Wooded Bastion
+Wood Sage
+Word of Command
+Words of War
+Words of Waste
+Words of Wilding
+Words of Wind
+Words of Worship
+Worldgorger Dragon
+Worldpurge
+World Queller
+Wormfang Behemoth
+Wormfang Crab
+Worms of the Earth
+Worst Fears
+Worthy Cause
+Wrack with Madness
+Wrath of the Skies
+Wretched Bonemass
+Xantcha
+Xathrid Slyblade
+Xenagos, the Reveler
+Xenic Poltergeist
+Xenograft
+Yare
+Yurlok of Scorch Thrash
+Zealous Inquisitor
+Zedruu the Greathearted
+Zephyr Scribe
+Zhalfirin Crusader
+Zombie Boa
+Zombie Infestation
+Zombie Trailblazer
+Zur's Weirding