diff --git a/package.json b/package.json
index a3a0eb7..d582e8e 100644
--- a/package.json
+++ b/package.json
@@ -11,7 +11,8 @@
"start": "node dist/index.js",
"stop:daemon": "taskkill /IM OcrDaemon.exe /F 2>nul || exit /b 0",
"test:ocr": "taskkill /IM OcrDaemon.exe /F 2>nul & dotnet build tools/OcrDaemon -c Release && echo {\"cmd\":\"test\"} | tools\\OcrDaemon\\bin\\Release\\net8.0-windows10.0.19041.0\\OcrDaemon.exe",
- "tune:ocr": "taskkill /IM OcrDaemon.exe /F 2>nul & dotnet build tools/OcrDaemon -c Release && echo {\"cmd\":\"tune\"} | tools\\OcrDaemon\\bin\\Release\\net8.0-windows10.0.19041.0\\OcrDaemon.exe"
+ "tune:ocr": "taskkill /IM OcrDaemon.exe /F 2>nul & dotnet build tools/OcrDaemon -c Release && echo {\"cmd\":\"tune\"} | tools\\OcrDaemon\\bin\\Release\\net8.0-windows10.0.19041.0\\OcrDaemon.exe",
+ "generate:words": "node tools/OcrDaemon/tessdata/generate-words.mjs"
},
"dependencies": {
"chokidar": "^4.0.3",
diff --git a/tools/OcrDaemon/Daemon.cs b/tools/OcrDaemon/Daemon.cs
index da4c2fd..e2e6860 100644
--- a/tools/OcrDaemon/Daemon.cs
+++ b/tools/OcrDaemon/Daemon.cs
@@ -25,6 +25,20 @@ static class Daemon
tessEngine = new TesseractEngine(tessdataPath, tessLang, EngineMode.LstmOnly);
tessEngine.DefaultPageSegMode = PageSegMode.SingleBlock;
tessEngine.SetVariable("preserve_interword_spaces", "1");
+ var userWordsPath = Path.Combine(tessdataPath, $"{tessLang}.user-words");
+ var userPatternsPath = Path.Combine(tessdataPath, $"{tessLang}.user-patterns");
+ if (File.Exists(userWordsPath))
+ {
+ tessEngine.SetVariable("user_words_file", userWordsPath);
+ var lineCount = File.ReadAllLines(userWordsPath).Length;
+ Console.Error.WriteLine($"Loaded user-words: {lineCount} words from {userWordsPath}");
+ }
+ if (File.Exists(userPatternsPath))
+ {
+ tessEngine.SetVariable("user_patterns_file", userPatternsPath);
+ var lineCount = File.ReadAllLines(userPatternsPath).Length;
+ Console.Error.WriteLine($"Loaded user-patterns: {lineCount} patterns from {userPatternsPath}");
+ }
Console.Error.WriteLine($"Tesseract engine loaded with language: {tessLang}");
}
catch (Exception ex)
diff --git a/tools/OcrDaemon/ImagePreprocessor.cs b/tools/OcrDaemon/ImagePreprocessor.cs
index 44605e3..e2bf747 100644
--- a/tools/OcrDaemon/ImagePreprocessor.cs
+++ b/tools/OcrDaemon/ImagePreprocessor.cs
@@ -42,9 +42,10 @@ static class ImagePreprocessor
/// Background-subtraction preprocessing: uses the reference frame to remove
/// background bleed-through from the semi-transparent tooltip overlay.
/// Pipeline: estimate dimming factor → subtract expected background → threshold → upscale
+ /// Returns the upscaled binary Mat directly (caller must dispose).
///
- public static Bitmap PreprocessWithBackgroundSub(Bitmap tooltipCrop, Bitmap referenceCrop,
- int dimPercentile = 25, int textThresh = 30, int upscale = 2)
+ public static Mat PreprocessWithBackgroundSubMat(Bitmap tooltipCrop, Bitmap referenceCrop,
+ int dimPercentile = 25, int textThresh = 30, int upscale = 2, bool softThreshold = true)
{
using var curMat = BitmapConverter.ToMat(tooltipCrop);
using var refMat = BitmapConverter.ToMat(referenceCrop);
@@ -77,7 +78,11 @@ static class ImagePreprocessor
}
if (ratios.Count == 0)
- return PreprocessForOcr(tooltipCrop, 41, upscale); // fallback
+ {
+ // Fallback: use top-hat preprocessing, convert to Mat
+ using var fallbackBmp = PreprocessForOcr(tooltipCrop, 41, upscale);
+ return BitmapConverter.ToMat(fallbackBmp);
+ }
// Use a low percentile of ratios as the dimming factor.
// Text pixels have high ratios (bright on dark), overlay pixels have low ratios.
@@ -108,19 +113,122 @@ static class ImagePreprocessor
}
}
- // Threshold: pixels above textThresh are text
- using var binary = new Mat();
- Cv2.Threshold(textSignal, binary, textThresh, 255, ThresholdTypes.BinaryInv);
-
- // Upscale for better LSTM recognition
- if (upscale > 1)
+ Mat result;
+ if (softThreshold)
{
- using var upscaled = new Mat();
- Cv2.Resize(binary, upscaled, new OpenCvSharp.Size(binary.Width * upscale, binary.Height * upscale),
- interpolation: InterpolationFlags.Cubic);
- return BitmapConverter.ToBitmap(upscaled);
+ // Soft threshold: clip below textThresh, contrast-stretch, invert.
+ // Produces grayscale anti-aliased text on white background,
+ // matching the training data format (text2image renders).
+ result = new Mat(rows, cols, MatType.CV_8UC1);
+ unsafe
+ {
+ byte* srcPtr = (byte*)textSignal.Data;
+ byte* dstPtr = (byte*)result.Data;
+ int srcStep = (int)textSignal.Step();
+ int dstStep = (int)result.Step();
+
+ // Find max signal above threshold for contrast stretch
+ int maxClipped = 1;
+ for (int y = 0; y < rows; y++)
+ for (int x = 0; x < cols; x++)
+ {
+ int val = srcPtr[y * srcStep + x] - textThresh;
+ if (val > maxClipped) maxClipped = val;
+ }
+
+ // Clip, stretch, invert: background → 255 (white), text → dark
+ for (int y = 0; y < rows; y++)
+ for (int x = 0; x < cols; x++)
+ {
+ int clipped = srcPtr[y * srcStep + x] - textThresh;
+ if (clipped <= 0)
+ {
+ dstPtr[y * dstStep + x] = 255; // background
+ }
+ else
+ {
+ int stretched = clipped * 255 / maxClipped;
+ dstPtr[y * dstStep + x] = (byte)(255 - stretched); // invert
+ }
+ }
+ }
+ }
+ else
+ {
+ // Hard binary threshold (original behavior)
+ result = new Mat();
+ Cv2.Threshold(textSignal, result, textThresh, 255, ThresholdTypes.BinaryInv);
}
- return BitmapConverter.ToBitmap(binary);
+ using var _result = result;
+ return UpscaleMat(result, upscale);
+ }
+
+ ///
+ /// Background-subtraction preprocessing returning a Bitmap (convenience wrapper).
+ ///
+ public static Bitmap PreprocessWithBackgroundSub(Bitmap tooltipCrop, Bitmap referenceCrop,
+ int dimPercentile = 25, int textThresh = 30, int upscale = 2, bool softThreshold = true)
+ {
+ using var mat = PreprocessWithBackgroundSubMat(tooltipCrop, referenceCrop, dimPercentile, textThresh, upscale, softThreshold);
+ return BitmapConverter.ToBitmap(mat);
+ }
+
+ ///
+ /// Detect text lines via horizontal projection on a binary image.
+ /// Binary should be inverted: text=black(0), background=white(255).
+ /// Returns list of (yStart, yEnd) row ranges for each detected text line.
+ ///
+ public static List<(int yStart, int yEnd)> DetectTextLines(
+ Mat binary, int minRowPixels = 2, int gapTolerance = 5)
+ {
+ int rows = binary.Rows, cols = binary.Cols;
+
+ // Count dark (text) pixels per row — use < 128 threshold since
+ // cubic upscaling introduces anti-aliased intermediate values
+ var rowCounts = new int[rows];
+ unsafe
+ {
+ byte* ptr = (byte*)binary.Data;
+ int step = (int)binary.Step();
+ for (int y = 0; y < rows; y++)
+ for (int x = 0; x < cols; x++)
+ if (ptr[y * step + x] < 128)
+ rowCounts[y]++;
+ }
+
+ // Group into contiguous runs with gap tolerance
+ var lines = new List<(int yStart, int yEnd)>();
+ int lineStart = -1, lastActive = -1;
+ for (int y = 0; y < rows; y++)
+ {
+ if (rowCounts[y] >= minRowPixels)
+ {
+ if (lineStart < 0) lineStart = y;
+ lastActive = y;
+ }
+ else if (lineStart >= 0 && y - lastActive > gapTolerance)
+ {
+ lines.Add((lineStart, lastActive));
+ lineStart = -1;
+ }
+ }
+ if (lineStart >= 0)
+ lines.Add((lineStart, lastActive));
+
+ return lines;
+ }
+
+ /// Returns a new Mat (caller must dispose). Does NOT dispose src.
+ private static Mat UpscaleMat(Mat src, int factor)
+ {
+ if (factor > 1)
+ {
+ var upscaled = new Mat();
+ Cv2.Resize(src, upscaled, new OpenCvSharp.Size(src.Width * factor, src.Height * factor),
+ interpolation: InterpolationFlags.Cubic);
+ return upscaled;
+ }
+ return src.Clone();
}
}
diff --git a/tools/OcrDaemon/Models.cs b/tools/OcrDaemon/Models.cs
index 344185a..d753334 100644
--- a/tools/OcrDaemon/Models.cs
+++ b/tools/OcrDaemon/Models.cs
@@ -241,12 +241,30 @@ class DiffOcrParams
[JsonPropertyName("textThresh")]
public int TextThresh { get; set; } = 60;
+ [JsonPropertyName("softThreshold")]
+ public bool SoftThreshold { get; set; } = false;
+
+ [JsonPropertyName("ocrPad")]
+ public int OcrPad { get; set; } = 10;
+
+ [JsonPropertyName("usePerLineOcr")]
+ public bool UsePerLineOcr { get; set; } = false;
+
+ [JsonPropertyName("lineGapTolerance")]
+ public int LineGapTolerance { get; set; } = 10;
+
+ [JsonPropertyName("linePadY")]
+ public int LinePadY { get; set; } = 20;
+
+ [JsonPropertyName("psm")]
+ public int Psm { get; set; } = 6;
+
public DiffOcrParams Clone() => (DiffOcrParams)MemberwiseClone();
public override string ToString() =>
UseBackgroundSub
- ? $"bgSub dimPct={DimPercentile} textThresh={TextThresh} diffThresh={DiffThresh} rowThreshDiv={RowThreshDiv} colThreshDiv={ColThreshDiv} maxGap={MaxGap} trimCutoff={TrimCutoff:F2} upscale={Upscale}"
- : $"topHat kernelSize={KernelSize} diffThresh={DiffThresh} rowThreshDiv={RowThreshDiv} colThreshDiv={ColThreshDiv} maxGap={MaxGap} trimCutoff={TrimCutoff:F2} upscale={Upscale}";
+ ? $"bgSub dimPct={DimPercentile} textThresh={TextThresh} soft={SoftThreshold} ocrPad={OcrPad} perLine={UsePerLineOcr} lineGap={LineGapTolerance} linePadY={LinePadY} psm={Psm} diffThresh={DiffThresh} rowThreshDiv={RowThreshDiv} colThreshDiv={ColThreshDiv} maxGap={MaxGap} trimCutoff={TrimCutoff:F2} upscale={Upscale}"
+ : $"topHat kernelSize={KernelSize} ocrPad={OcrPad} perLine={UsePerLineOcr} lineGap={LineGapTolerance} linePadY={LinePadY} psm={Psm} diffThresh={DiffThresh} rowThreshDiv={RowThreshDiv} colThreshDiv={ColThreshDiv} maxGap={MaxGap} trimCutoff={TrimCutoff:F2} upscale={Upscale}";
}
class TestCase
diff --git a/tools/OcrDaemon/OcrDaemon.csproj b/tools/OcrDaemon/OcrDaemon.csproj
index ffb6815..2bc7b1d 100644
--- a/tools/OcrDaemon/OcrDaemon.csproj
+++ b/tools/OcrDaemon/OcrDaemon.csproj
@@ -26,6 +26,12 @@
PreserveNewest
+
+ PreserveNewest
+
+
+ PreserveNewest
+
PreserveNewest
diff --git a/tools/OcrDaemon/OcrHandler.cs b/tools/OcrDaemon/OcrHandler.cs
index f5e8d76..9a1a388 100644
--- a/tools/OcrDaemon/OcrHandler.cs
+++ b/tools/OcrDaemon/OcrHandler.cs
@@ -4,6 +4,8 @@ using System.Drawing;
using System.Drawing.Imaging;
using System.Runtime.InteropServices;
using System.Text.Json;
+using OpenCvSharp;
+using OpenCvSharp.Extensions;
using Tesseract;
using SdImageFormat = System.Drawing.Imaging.ImageFormat;
@@ -188,11 +190,10 @@ class OcrHandler(TesseractEngine engine)
return new OcrResponse { Text = "", Lines = [] };
}
- int pad = 0;
- int minX = Math.Max(bestColStart - pad, 0);
- int minY = Math.Max(bestRowStart - pad, 0);
- int maxX = Math.Min(bestColEnd + pad, w - 1);
- int maxY = Math.Min(bestRowEnd + pad, h - 1);
+ int minX = bestColStart;
+ int minY = bestRowStart;
+ int maxX = Math.Min(bestColEnd, w - 1);
+ int maxY = Math.Min(bestRowEnd, h - 1);
// Dynamic right-edge trim: if the rightmost columns are much sparser than
// the tooltip body, trim them. This handles the ~5% of cases where ambient
@@ -232,10 +233,18 @@ class OcrHandler(TesseractEngine engine)
if (debug) Console.Error.WriteLine($" diff-ocr: saved raw to {req.Path}");
}
- // Pre-process for OCR
- using var processed = p.UseBackgroundSub
- ? ImagePreprocessor.PreprocessWithBackgroundSub(cropped, refCropped, p.DimPercentile, p.TextThresh, p.Upscale)
- : ImagePreprocessor.PreprocessForOcr(cropped, p.KernelSize, p.Upscale);
+ // Pre-process for OCR — get Mat for per-line detection and padding
+ Mat processedMat;
+ if (p.UseBackgroundSub)
+ {
+ processedMat = ImagePreprocessor.PreprocessWithBackgroundSubMat(cropped, refCropped, p.DimPercentile, p.TextThresh, p.Upscale, p.SoftThreshold);
+ }
+ else
+ {
+ using var topHatBmp = ImagePreprocessor.PreprocessForOcr(cropped, p.KernelSize, p.Upscale);
+ processedMat = BitmapConverter.ToMat(topHatBmp);
+ }
+ using var _processedMat = processedMat; // ensure disposal
// Save fullscreen and preprocessed versions alongside raw
if (!string.IsNullOrEmpty(req.Path))
@@ -246,21 +255,114 @@ class OcrHandler(TesseractEngine engine)
if (debug) Console.Error.WriteLine($" diff-ocr: saved fullscreen to {fullPath}");
var prePath = Path.ChangeExtension(req.Path, ".pre" + ext);
- processed.Save(prePath, ImageUtils.GetImageFormat(prePath));
+ using var preBmp = BitmapConverter.ToBitmap(processedMat);
+ preBmp.Save(prePath, ImageUtils.GetImageFormat(prePath));
if (debug) Console.Error.WriteLine($" diff-ocr: saved preprocessed to {prePath}");
}
- using var pix = ImageUtils.BitmapToPix(processed);
- using var page = engine.Process(pix);
- var text = page.GetText();
- var lines = ImageUtils.ExtractLinesFromPage(page, offsetX: minX, offsetY: minY);
+ int pad = p.OcrPad;
+ int upscale = p.Upscale > 0 ? p.Upscale : 1;
+ var lines = new List();
- return new DiffOcrResponse
+ // Per-line OCR: detect text lines via horizontal projection, OCR each individually
+ if (p.UsePerLineOcr)
{
- Text = text,
- Lines = lines,
- Region = new RegionRect { X = minX, Y = minY, Width = rw, Height = rh },
- };
+ // DetectTextLines needs binary input; if soft threshold produced grayscale, binarize a copy
+ int minRowPx = Math.Max(processedMat.Cols / 200, 3);
+ using var detectionMat = p.SoftThreshold ? new Mat() : null;
+ if (p.SoftThreshold)
+ Cv2.Threshold(processedMat, detectionMat!, 128, 255, ThresholdTypes.Binary);
+ var lineDetectInput = p.SoftThreshold ? detectionMat! : processedMat;
+ var textLines = ImagePreprocessor.DetectTextLines(lineDetectInput, minRowPixels: minRowPx, gapTolerance: p.LineGapTolerance * upscale);
+ if (debug) Console.Error.WriteLine($" diff-ocr: detected {textLines.Count} text lines");
+
+ if (textLines.Count > 0)
+ {
+ int linePadY = p.LinePadY;
+ foreach (var (yStart, yEnd) in textLines)
+ {
+ int y0 = Math.Max(yStart - linePadY, 0);
+ int y1 = Math.Min(yEnd + linePadY, processedMat.Rows - 1);
+ int lineH = y1 - y0 + 1;
+
+ // Crop line strip (full width)
+ using var lineStrip = new Mat(processedMat, new OpenCvSharp.Rect(0, y0, processedMat.Cols, lineH));
+
+ // Add whitespace padding around the line
+ using var padded = new Mat();
+ Cv2.CopyMakeBorder(lineStrip, padded, pad, pad, pad, pad, BorderTypes.Constant, Scalar.White);
+
+ using var lineBmp = BitmapConverter.ToBitmap(padded);
+ using var linePix = ImageUtils.BitmapToPix(lineBmp);
+ using var linePage = engine.Process(linePix, (PageSegMode)p.Psm);
+
+ // Extract words, adjusting coordinates back to screen space
+ // Word coords are in padded image space → subtract pad, add line offset, scale to original, add region offset
+ var lineWords = new List();
+ using var iter = linePage.GetIterator();
+ if (iter != null)
+ {
+ iter.Begin();
+ do
+ {
+ var wordText = iter.GetText(PageIteratorLevel.Word);
+ if (string.IsNullOrWhiteSpace(wordText)) continue;
+
+ float conf = iter.GetConfidence(PageIteratorLevel.Word);
+ if (conf < 50) continue;
+
+ if (iter.TryGetBoundingBox(PageIteratorLevel.Word, out var bounds))
+ {
+ lineWords.Add(new OcrWordResult
+ {
+ Text = wordText.Trim(),
+ X = (bounds.X1 - pad + 0) / upscale + minX,
+ Y = (bounds.Y1 - pad + y0) / upscale + minY,
+ Width = bounds.Width / upscale,
+ Height = bounds.Height / upscale,
+ });
+ }
+ } while (iter.Next(PageIteratorLevel.TextLine, PageIteratorLevel.Word));
+ }
+
+ if (lineWords.Count > 0)
+ {
+ var lineText = string.Join(" ", lineWords.Select(w => w.Text));
+ lines.Add(new OcrLineResult { Text = lineText, Words = lineWords });
+ }
+ }
+
+ var text = string.Join("\n", lines.Select(l => l.Text)) + "\n";
+ return new DiffOcrResponse
+ {
+ Text = text,
+ Lines = lines,
+ Region = new RegionRect { X = minX, Y = minY, Width = rw, Height = rh },
+ };
+ }
+
+ if (debug) Console.Error.WriteLine(" diff-ocr: no text lines detected, falling back to whole-block OCR");
+ }
+
+ // Whole-block fallback: add padding and use configurable PSM
+ {
+ using var padded = new Mat();
+ Cv2.CopyMakeBorder(processedMat, padded, pad, pad, pad, pad, BorderTypes.Constant, Scalar.White);
+ using var bmp = BitmapConverter.ToBitmap(padded);
+ using var pix = ImageUtils.BitmapToPix(bmp);
+ using var page = engine.Process(pix, (PageSegMode)p.Psm);
+
+ var text = page.GetText();
+ // Adjust word coordinates: subtract padding offset
+ lines = ImageUtils.ExtractLinesFromPage(page, offsetX: minX - pad / upscale, offsetY: minY - pad / upscale);
+
+ return new DiffOcrResponse
+ {
+ Text = text,
+ Lines = lines,
+ Region = new RegionRect { X = minX, Y = minY, Width = rw, Height = rh },
+ };
+ }
}
public object HandleTest(Request req) => RunTestCases(new DiffOcrParams(), verbose: true);
@@ -314,6 +416,8 @@ class OcrHandler(TesseractEngine engine)
("colThreshDiv", [5, 8, 10, 12, 15, 20, 25, 30], (p, v) => p.ColThreshDiv = v),
("maxGap", [5, 8, 10, 12, 15, 20, 25, 30], (p, v) => p.MaxGap = v),
("upscale", [1, 2, 3], (p, v) => p.Upscale = v),
+ ("ocrPad", [0, 5, 10, 15, 20, 30], (p, v) => p.OcrPad = v),
+ ("psm", [4, 6, 11, 13], (p, v) => p.Psm = v),
};
// Top-hat specific
@@ -325,8 +429,10 @@ class OcrHandler(TesseractEngine engine)
// Background-subtraction specific
var bgSubSweeps = new (string Name, int[] Values, Action Set)[]
{
- ("dimPercentile", [5, 10, 15, 20, 25, 30, 40, 50], (p, v) => p.DimPercentile = v),
- ("textThresh", [10, 15, 20, 25, 30, 40, 50, 60, 80], (p, v) => p.TextThresh = v),
+ ("dimPercentile", [5, 10, 15, 20, 25, 30, 40, 50], (p, v) => p.DimPercentile = v),
+ ("textThresh", [10, 15, 20, 25, 30, 40, 50, 60, 80], (p, v) => p.TextThresh = v),
+ ("lineGapTolerance", [3, 5, 8, 10, 15], (p, v) => p.LineGapTolerance = v),
+ ("linePadY", [5, 10, 15, 20], (p, v) => p.LinePadY = v),
};
double[] trimValues = [0.1, 0.15, 0.2, 0.25, 0.3, 0.4, 0.5];
diff --git a/tools/OcrDaemon/tessdata/generate-words.mjs b/tools/OcrDaemon/tessdata/generate-words.mjs
new file mode 100644
index 0000000..c692771
--- /dev/null
+++ b/tools/OcrDaemon/tessdata/generate-words.mjs
@@ -0,0 +1,166 @@
+#!/usr/bin/env node
+/**
+ * Fetches POE2 trade API data and generates Tesseract user-words and user-patterns
+ * files to improve OCR accuracy for tooltip text.
+ *
+ * Usage: node generate-words.mjs
+ * Output: poe2.user-words, poe2.user-patterns (in same directory)
+ */
+
+import { writeFileSync } from "fs";
+import { dirname, join } from "path";
+import { fileURLToPath } from "url";
+
+const __dirname = dirname(fileURLToPath(import.meta.url));
+const UA = "OAuth poe2trade/1.0 (contact: poe2trade@users.noreply.github.com)";
+
+async function fetchJson(path) {
+ const url = `https://www.pathofexile.com/api/trade2/data/${path}`;
+ const res = await fetch(url, { headers: { "User-Agent": UA } });
+ if (!res.ok) throw new Error(`${url}: ${res.status}`);
+ return res.json();
+}
+
+async function main() {
+ console.log("Fetching POE2 trade API data...");
+ const [items, stats, static_, filters] = await Promise.all([
+ fetchJson("items"),
+ fetchJson("stats"),
+ fetchJson("static"),
+ fetchJson("filters"),
+ ]);
+
+ const words = new Set();
+
+ // Helper: split text into individual words and add each
+ function addWords(text) {
+ if (!text) return;
+ // Remove # placeholders and special chars, split on whitespace
+ const cleaned = text
+ .replace(/#/g, "")
+ .replace(/[{}()\[\]]/g, "")
+ .replace(/[+\-]/g, " ");
+ for (const word of cleaned.split(/\s+/)) {
+ // Only keep words that are actual words (not numbers, not single chars)
+ const trimmed = word.replace(/^[^a-zA-Z]+|[^a-zA-Z]+$/g, "");
+ if (trimmed.length >= 2) words.add(trimmed);
+ }
+ }
+
+ // Helper: add a full phrase (multi-word item name) as-is
+ function addPhrase(text) {
+ if (!text) return;
+ addWords(text);
+ }
+
+ // Items: type names (base types like "Tribal Mask", "Leather Vest")
+ for (const cat of items.result) {
+ addPhrase(cat.label);
+ for (const entry of cat.entries) {
+ addPhrase(entry.type);
+ addPhrase(entry.name);
+ addPhrase(entry.text);
+ }
+ }
+
+ // Stats: mod text like "+#% to Chaos Resistance", "# to maximum Life"
+ for (const cat of stats.result) {
+ for (const entry of cat.entries) {
+ addPhrase(entry.text);
+ }
+ }
+
+ // Static: currency/fragment names like "Divine Orb", "Scroll of Wisdom"
+ for (const cat of static_.result) {
+ addPhrase(cat.label);
+ for (const entry of cat.entries) {
+ addPhrase(entry.text);
+ }
+ }
+
+ // Filters: filter labels and option texts
+ for (const cat of filters.result) {
+ addPhrase(cat.title);
+ if (cat.filters) {
+ for (const f of cat.filters) {
+ addPhrase(f.text);
+ if (f.option?.options) {
+ for (const opt of f.option.options) {
+ addPhrase(opt.text);
+ }
+ }
+ }
+ }
+ }
+
+ // Add common tooltip keywords not in trade API
+ const extraWords = [
+ // Section headers
+ "Quality", "Requires", "Level", "Asking", "Price",
+ "Corrupted", "Mirrored", "Unmodifiable",
+ "Twice", "Sockets",
+ // Attributes
+ "Strength", "Dexterity", "Intelligence", "Spirit",
+ // Defense types
+ "Armour", "Evasion", "Rating", "Energy", "Shield",
+ // Damage types
+ "Physical", "Elemental", "Lightning", "Cold", "Fire", "Chaos",
+ // Common mod words
+ "increased", "reduced", "more", "less",
+ "added", "converted", "regeneration",
+ "maximum", "minimum", "total",
+ "Resistance", "Damage", "Speed", "Duration",
+ "Critical", "Hit", "Chance", "Multiplier",
+ "Attack", "Cast", "Spell", "Minion", "Skill",
+ "Mana", "Life", "Rarity",
+ // Item classes
+ "Helmet", "Gloves", "Boots", "Body", "Belt",
+ "Ring", "Amulet", "Shield", "Quiver",
+ "Sword", "Axe", "Mace", "Dagger", "Wand", "Staff", "Bow",
+ "Sceptre", "Crossbow", "Flail", "Spear",
+ // Rarity
+ "Normal", "Magic", "Rare", "Unique",
+ ];
+ for (const w of extraWords) words.add(w);
+
+ // Sort and write user-words
+ const sortedWords = [...words].sort((a, b) => a.toLowerCase().localeCompare(b.toLowerCase()));
+ const wordsPath = join(__dirname, "poe2.user-words");
+ writeFileSync(wordsPath, sortedWords.join("\n") + "\n");
+ console.log(`Wrote ${sortedWords.length} words to ${wordsPath}`);
+
+ // Generate user-patterns for common tooltip formats
+ const patterns = [
+ // Stat values: "+12% to Chaos Resistance", "+3 to Level"
+ "\\+\\d+%",
+ "\\+\\d+",
+ "\\-\\d+%",
+ "\\-\\d+",
+ // Ranges: "10-20"
+ "\\d+-\\d+",
+ // Currency amounts: "7x Divine Orb", "35x Divine Orb"
+ "\\d+x",
+ // Quality: "+20%"
+ "\\d+%",
+ // Level requirements: "Level \\d+"
+ "Level \\d+",
+ // Asking Price section
+ "Asking Price:",
+ // Item level
+ "Item Level: \\d+",
+ // Requires line
+ "Requires:",
+ // Rating values
+ "Rating: \\d+",
+ "Shield: \\d+",
+ "Quality: \\+\\d+%",
+ ];
+ const patternsPath = join(__dirname, "poe2.user-patterns");
+ writeFileSync(patternsPath, patterns.join("\n") + "\n");
+ console.log(`Wrote ${patterns.length} patterns to ${patternsPath}`);
+}
+
+main().catch((e) => {
+ console.error(e);
+ process.exit(1);
+});
diff --git a/tools/OcrDaemon/tessdata/poe2.user-patterns b/tools/OcrDaemon/tessdata/poe2.user-patterns
new file mode 100644
index 0000000..acd4a39
--- /dev/null
+++ b/tools/OcrDaemon/tessdata/poe2.user-patterns
@@ -0,0 +1,14 @@
+\+\d+%
+\+\d+
+\-\d+%
+\-\d+
+\d+-\d+
+\d+x
+\d+%
+Level \d+
+Asking Price:
+Item Level: \d+
+Requires:
+Rating: \d+
+Shield: \d+
+Quality: \+\d+%
diff --git a/tools/OcrDaemon/tessdata/poe2.user-words b/tools/OcrDaemon/tessdata/poe2.user-words
new file mode 100644
index 0000000..6450b88
--- /dev/null
+++ b/tools/OcrDaemon/tessdata/poe2.user-words
@@ -0,0 +1,3899 @@
+Ab
+Abasement
+Abiding
+Ablation
+Above
+above
+Abrasion
+Absorbed
+Abyss
+Abyssal
+Abyssals
+Abysses
+Accelerated
+Acceleration
+accessible
+Accessories
+Accessory
+Account
+Accuracy
+Acrid
+Acrimony
+Acting
+Action
+activate
+Activates
+Activation
+active
+Acuity
+Adamant
+Adaptable
+Adaptive
+added
+Added
+additional
+Adds
+adds
+Adept
+Adherent
+Adherent's
+Adhesive
+Admixture
+Admonisher
+Adonia's
+Adorned
+Adrenaline
+Advanced
+Advancing
+Advantage
+Adverse
+Aegis
+Aequo
+Aerisvane's
+Aeterno
+Afar
+affect
+affected
+affecting
+affects
+afflicted
+Afflicted
+Affliction
+after
+Afterimage
+Aftershock
+Aftershocks
+again
+Against
+against
+Aged
+Aggravate
+Aggravated
+Aggravates
+Aggravating
+Aggravation
+Agile
+Agility
+Ago
+Agonising
+Agony
+Ahkeli's
+Ahn's
+Aid
+Ailith's
+Ailment
+Ailments
+Aim
+Akoyan
+Alacrity
+Albino
+Alchemical
+Alchemist's
+Alchemy
+Alert
+Aligned
+Alignment
+alive
+Alkem
+all
+All
+Alliance
+Allies
+Allocated
+Allocates
+allow
+allowed
+Alloy
+Allure
+Ally
+Alpha
+Alpha's
+also
+Also
+Altar
+Altars
+Altered
+alternately
+Alternating
+Always
+always
+Amanamu
+Amanamu's
+Amber
+Ambrosia
+Ambush
+Amelioration
+Amethyst
+Ammo
+Ammunition
+among
+Among
+Amor
+amount
+Amount
+Amphora
+Amplification
+Amulet
+An
+an
+Ancestor
+Ancestors
+Ancestral
+Anchorite
+Ancient
+Ancients
+and
+Andvarius
+Anguish
+Animal
+Annulment
+Annulments
+another
+Answered
+Anticipation
+Antidote
+Antler
+Anvil
+Any
+any
+anyone
+Apep's
+Apex
+Apocalypse
+Apostle
+Applause
+applied
+applies
+apply
+Approach
+Apron
+Arakaali's
+Arbiter's
+Arc
+Arcane
+Arcanist's
+Arced
+Arched
+Archer
+Archery
+Architect's
+Archmage
+Archon
+Arcing
+Arctic
+Ardura
+are
+Area
+Areas
+Arjun's
+Armament
+Armour
+Armoured
+Armourer's
+Arms
+Army
+around
+Array
+Arrayed
+Arrow
+Arrowhead
+Arrows
+Arsonist
+Arteries
+Articulated
+Artifact
+Artifacts
+Artifice
+Artificer's
+Artillery
+Artistry
+Arvil's
+as
+Ascetic
+Asceticism
+Ash
+Ashbark
+Ashen
+Ashrend
+Asking
+Aspect
+Aspersions
+Asphyxia's
+Aspiring
+Assailum
+Assandra's
+Assassin
+Assassin's
+Assault
+Astral
+Astramentis
+at
+At
+Atalui's
+Atmohua
+Atmohua's
+Atsak's
+Attack
+Attacker
+Attacks
+Attenuation
+Attraction
+Attribute
+Attributes
+Attrition
+Attuned
+Attunement
+Atziri's
+Audience
+Augment
+Augmentable
+Augmentation
+Augments
+Augury
+Aura
+Aureus
+Aurseize
+Austere
+Austerity
+Authority
+Auto
+Avatar
+Avian
+Avoid
+avoid
+Avoiding
+avoids
+away
+Away
+Axe
+Axes
+Ayah
+Azcapa
+Azis
+Azmeri
+Azure
+back
+Back
+Backup
+Balancing
+Balbala's
+Balbalakh
+Ball
+Ballista
+Bandage
+Bandit
+Bangle
+Bangled
+Banner
+Bannerman
+Banners
+Barb
+Barbarian
+Barbaric
+Barbarous
+Barbed
+Barbs
+Barkskin
+Baroque
+Barrage
+Barrageable
+Barrel
+Barricade
+Barrier
+Barrow
+Bartering
+Barya
+Base
+base
+based
+Bashing
+Bastion
+Battershout
+Battery
+Battle
+Bauble
+Baubles
+Bay
+be
+Beacon
+Beaded
+Bear
+Bear's
+Bearded
+Bearer
+Bears
+Bearskin
+Beast
+Beastial
+Beastrite
+Beasts
+become
+Beef
+been
+Beetlebite
+before
+began
+Behead
+Behemoth
+being
+Being
+Beira's
+Belief
+Bell
+Belly
+below
+Belt
+Berserk
+Berserker
+Besieged
+Bestial
+Beyond
+Bhatair's
+Bidding
+Bifurcates
+Bijouborne
+Bind
+Binding
+Bindings
+Birth
+Birthright
+Bite
+Biting
+Bitterbloom
+Black
+Blackblooded
+Blackbraid
+Blackfire
+Blackflame
+Blackgleam
+Blackheart
+Blacksmith
+Blacksmith's
+Blacksteel
+Blade
+Bladed
+Bladeguard
+Blasphemy
+Blast
+Blaze
+Blazing
+Blazon
+Bleak
+Bleed
+Bleeding
+Blessed
+Blessing
+Blind
+Blinded
+Blindfold
+Blinding
+Blindside
+Blink
+Blistering
+Blitz
+Blizzard
+Block
+Blocked
+Blocking
+Blocks
+Blood
+Bloodbarrier
+Blooded
+Bloodhound's
+Bloodletting
+Bloodlust
+Bloodstone
+Bloodthirsty
+Bloom
+Blossom
+Blow
+Blows
+Blueflame
+Bluetongue
+Blunt
+Blurred
+Boar
+Boarding
+Body
+Bolstered
+Bolstering
+Bolt
+bolt
+Bolting
+Bolts
+Bomb
+Bombard
+Bombs
+Bond
+Bonded
+Bonds
+Bone
+Bones
+Boneshatter
+Bonestorm
+Bonus
+bonus
+bonuses
+Boon
+Boons
+Boots
+Boss
+Bosses
+Bound
+Boundless
+Bounty
+Bow
+Bows
+Braced
+Bracers
+Braid
+Braided
+Brain
+Bramble
+Bramblejack
+Brambleslam
+Branched
+Branching
+Branded
+Brass
+Bravado
+Breach
+Breaches
+Breachstone
+Break
+break
+Breakage
+Breaker
+Breaking
+Breaks
+Breath
+Breathing
+Brew
+Briarpatch
+Brick
+Bridle
+Brigand
+Brimmed
+Bringer
+Brink
+Briny
+Briskwrap
+Bristleboar
+Brittle
+Broad
+Broadhead
+Broadsword
+Broken
+Bronze
+Bronzebeard
+Brotherhood
+Brush
+Brutality
+Brute
+Brutus
+Brynhand's
+Buckle
+Buckled
+Buckler
+Buff
+buff
+Buffer
+buffs
+Buffs
+build
+Building
+Buildup
+buildup
+Bulwark
+Burden
+Burgeon
+Burn
+Burning
+Burnished
+Burnout
+Burrower
+Burst
+Bursting
+Bushwhack
+but
+Buyout
+By
+by
+Bynden
+bypasses
+Byrnabas
+Cabalist
+Cackling
+Cacophony
+Cadence
+Cadiro's
+Caelyn
+Cage
+Caged
+Calamity
+Calescent
+Calgyra's
+Calibration
+Call
+Caltrops
+Cambric
+can
+Can
+Can't
+Candlemaker
+Cannibalism
+Cannon
+Cannonade
+cannot
+Cannot
+Cap
+Capabilities
+Capacitor
+Captain
+Captivating
+Carapace
+Card
+Careful
+Caress
+Carnage
+Carrion
+Carved
+Carving
+Cascade
+Cast
+Caster
+Casting
+casting
+Casts
+Cat
+Cataclysm
+Catalysing
+Catalysis
+Catalyst
+Catalysts
+Cataphract
+Catapult
+Catcher
+Category
+Catharsis
+cause
+Causes
+causes
+Cavalry
+Ceremonial
+Chaber
+Chain
+Chains
+Chainsting
+Chakra
+Chalice
+Challenger
+Champion
+Chance
+chance
+Change
+Changeling
+Changing
+Channel
+Channelled
+Channelling
+Chaos
+Chaotic
+Charge
+Charged
+Charges
+charges
+Charm
+Charmed
+Charms
+Charred
+Chase
+Chayula
+Chayula's
+Chemistry
+Chernobog's
+Chest
+Chests
+Chieftain
+Chill
+Chilled
+Chillproof
+Chimes
+Chiming
+Chin
+Chipped
+Chiseled
+Chiselled
+Chober
+Choice
+Choir
+Cholotl
+Cholotl's
+Chosen
+Chronomancy
+Cinched
+Cinderbark
+Cinquedea
+Circle
+circle
+Circlet
+Circuit
+Cirel's
+Citadel
+Citaqualotl
+Citaqualotl's
+Clarity
+Clash
+Clasped
+Claw
+Claws
+Claymore
+Cleansing
+Clear
+Cleaver
+Cleric
+Climate
+Clip
+Cloak
+Cloaked
+Clock
+Close
+close
+Closed
+closed
+Cloud
+Club
+Cluster
+Coat
+Coated
+Cobble
+Coffer
+Coil
+Coiled
+Coinage
+Coins
+Cold
+Collapse
+Collapsing
+Collarbone
+collected
+collecting
+Colossal
+Combat
+Combo
+Comet
+Coming
+Command
+Commander
+Commanding
+Commandment
+Commiserate
+Companion
+Companion's
+Companions
+Companionship
+Compartments
+complete
+Completing
+completing
+completion
+Compose
+Composite
+Compressed
+Concentrated
+Concoct
+Concoction
+Concussive
+Conduction
+Conductive
+Conductivity
+Conduit
+Conduits
+Confines
+Conflux
+Conjurer
+connected
+Conquered
+Conqueror
+Consecrate
+Consecrated
+Consequences
+Conservation
+Conservative
+Consideration
+Considered
+considered
+Consistent
+constantly
+Constricting
+Construct
+Consume
+consume
+Consumed
+consumed
+Consuming
+consuming
+Contact
+Contagion
+contain
+containing
+contains
+Contempt
+Contraptions
+Contributes
+Control
+Controlled
+Controlling
+Convalescence
+Convert
+Converted
+converted
+Cooked
+Cool
+Cooldown
+copy
+Copy
+Core
+Cores
+Cornathaum
+Corona
+Coronation
+Corpse
+Corpses
+Corpsewade
+Corroded
+Corrosion
+Corrosive
+Corrupted
+Corrupting
+Corruption
+Corsair
+Corvus
+Cosmos
+Cospri's
+Cost
+cost
+Costly
+Costs
+costs
+Council
+count
+counted
+Counterstancing
+Countess
+Coursing
+Courtesan
+Couture
+Covenant
+Coverage
+Covered
+Covering
+Covert
+Covetous
+Coward's
+Cowardly
+Cowled
+Cracklecreep
+Crackling
+Cracks
+Craiceann's
+Cranial
+Cranium
+Crash
+Crater
+Craving
+Crazed
+create
+Creates
+Creeping
+Cremating
+Cremation
+Crescendo
+Crescent
+Crest
+Cries
+Crimson
+Crippling
+Crisis
+Critical
+Critically
+Crone
+Cross
+Crossblade
+Crossbow
+Crossbows
+Crown
+Crucible
+Crude
+Cruel
+Cruelty
+Crumbling
+Crushes
+Crushing
+Cry
+Cryptic
+Crystal
+Crystalline
+Crystallisation
+Crystallised
+Cuffs
+Cuirass
+Cuisses
+Cull
+Culled
+Culling
+Culmination
+Cultist
+Cultivated
+Cultivation
+Cunning
+Currency
+Current
+current
+Currents
+Curse
+Cursecarver
+Cursed
+Curses
+Cursespeaker's
+Curved
+Cut
+Cutlass
+Cuts
+Daevata's
+Dagger
+Daggerfoot
+Damage
+damage
+Damageable
+Damaging
+damaging
+Damning
+Dampening
+Dance
+Dancer
+Dancing
+Danger
+Dangerous
+Danse
+Daresso's
+Dark
+Darkness
+Darkray
+Darts
+Dastard
+Dauntless
+Dawn
+Day
+Days
+Daze
+Dazes
+Dazing
+Dazzle
+de
+Dead
+Deadly
+Deafening
+deal
+Deal
+dealing
+deals
+Deals
+dealt
+Death
+Death's
+Deathblow
+Deathmarch
+Deathrattle
+Debuff
+Debuffs
+Decay
+Decaying
+Deceleration
+Deceptive
+Decimating
+Decisive
+Decompose
+Decorated
+Decrepifying
+deeds
+Deep
+Deepest
+Deerstalker
+defeating
+Defence
+Defences
+Defend
+Defensive
+Deferred
+Deferring
+Defiance
+defilement
+Defiler
+Deflected
+Deflection
+Deft
+Defy
+Deidbell
+Dekhara's
+Dekharan
+Delay
+Delayed
+Deliberation
+Delirious
+Delirium
+Deliver
+Demand
+Demigod's
+Demolisher
+Demolitionist
+Demon
+density
+Dependable
+Depression
+Depths
+Derange
+Dervish
+Dervishes
+Descent
+Descry
+Desecrated
+Desecration
+Desensitisation
+Desert
+Deserted
+Desire
+Desolate
+Despair
+Desperate
+Desperation
+Destabiliser
+Destiny
+destroy
+destroyed
+Destruction
+Detailed
+Deterioration
+Determined
+Detonate
+Detonating
+Devastate
+Devastation
+Devour
+Devouring
+Dexterity
+Dextral
+Diadem
+Dialla's
+Diamond
+Dice
+Die
+die
+dies
+Dies
+different
+Difficulty
+Diluted
+Dimensional
+Dionadair
+Direct
+direction
+Direstrike
+Dirk
+Discharge
+Discipline
+Disdain
+Disengage
+Disgust
+Dishonoured
+Disintegrating
+Disorientation
+Dispatch
+dissipates
+dissipating
+Distance
+distance
+Distant
+Distracted
+Distracting
+Dive
+Diverted
+Divination
+Divine
+Diviner
+Dizzying
+Djinn
+DNT
+do
+Dodge
+Dodging
+Doedre's
+does
+doesn't
+Domain
+Dome
+Domed
+Dominion
+Dominus
+Doom
+Doomfletch
+Doomgate
+Doomsayer
+Doryani's
+Dose
+Double
+double
+Doubled
+doubled
+Doubt
+Dousing
+down
+Down
+DPS
+Dragons
+Dragonscale
+Drain
+Draining
+Draiocht
+Drakeskin
+Draught
+Draw
+Dread
+Dreadfist
+Dream
+Dreamcatcher
+Dreamer
+Dreaming
+Dreams
+Drenched
+Drillneck
+Drinker
+Driven
+Drop
+drop
+dropped
+Dropped
+drops
+Drought
+Druidic
+Dualstring
+Duck
+Dueling
+Dull
+Dunerunner
+Dunkelhalt
+Duplicated
+Duplicates
+Durability
+Duration
+duration
+during
+Dusk
+Dustbloom
+Dweller
+Dyad
+Dynamism
+each
+Each
+Earned
+Earth
+Earthbound
+Earthquake
+Earthshatter
+Easy
+Eat
+Eaten
+Eater
+Echo
+Echoes
+Echoing
+Edged
+Edges
+Edyrn's
+Eeshta
+Effect
+effect
+Effectiveness
+Effects
+Effervescent
+Efficiency
+Efficient
+Effigial
+Effigy
+Egg
+Ego
+Egrin
+eight
+Einhar's
+Eira
+either
+Eldritch
+Electric
+Electricity
+Electrified
+Electrifying
+Electrocute
+Electrocuting
+Electrocution
+Electromagnetism
+Electrotherapy
+Elegant
+Element
+Elemental
+Elementalist
+Elements
+Elevore
+Elite
+Elixir
+Em
+Embellished
+Ember
+Embitter
+Emblem
+Embodiment
+Emboldened
+Emboldening
+Embossed
+Embrace
+Embracing
+Embroidered
+Emerald
+Emergence
+Emergency
+Emiran
+Emotions
+Empire's
+Empower
+Empowered
+Empowering
+Empowerment
+Empowers
+empties
+Empty
+Enchant
+Enchanted
+Enchantments
+Encompassing
+Encounters
+encounters
+Encouragement
+Encroaching
+End
+Endgame
+Endless
+ends
+Endurance
+Endured
+Enduring
+Enemies
+enemies
+enemy
+Enemy
+enemy's
+Energies
+Energise
+Energising
+Energy
+Enervating
+Enezun's
+Enfeeble
+Enfolding
+Engineer's
+Engineered
+Engraved
+Enhanced
+Enhancement
+Enhancing
+Enlightened
+Enraged
+Entangle
+Enter
+Enthroned
+Enthusiast
+Entries
+Entropic
+Enveloping
+Envy
+equal
+Equilibrium
+Equipment
+Equipped
+equipped
+Equivalent
+Eraser
+Erasure
+Erian's
+Eroding
+Erosion
+Erqi
+errant
+Erraticism
+Eruption
+Escalating
+Escalation
+Escape
+Esh's
+Essence
+Essences
+Essentia
+Estazunti
+Estazunti's
+Etcher
+Etchers
+Eternal
+Ether
+Evade
+Evangelist
+Evasion
+Evasive
+Event
+ever
+Evergrasping
+Everlasting
+every
+Every
+Evil
+Evocational
+Exaltation
+Exalted
+Example
+Excavated
+except
+Excess
+Excise
+Excoriate
+Execrate
+Execratus
+Execute
+Executioner
+Exhalation
+Exhausted
+Exile
+Exiles
+Exit
+Exodus
+Exotic
+Expand
+expand
+Expanse
+Expedition
+Expeditions
+expend
+Expendable
+Experience
+Expertise
+expire
+expires
+Explode
+explode
+Exploit
+Explorer
+Explosion
+Explosive
+Explosives
+Exposed
+Exposing
+Exposure
+Extended
+Extinguishing
+Extra
+extra
+Extract
+Extraction
+Eye
+Eyes
+Ezo
+Ezomyte
+Fabled
+Face
+Faded
+Fairgraves
+Faith
+Faithful
+Falchion
+Falcon
+Falconer's
+Fall
+Fallen
+Falling
+Familial
+Famine
+Fan
+Fanatic
+Fang
+Fangs
+Far
+Faridun
+Farrul's
+Fast
+faster
+Fate
+Fated
+Favour
+Favourable
+Favours
+Fear
+Fearful
+Feast
+Feather
+Feathered
+Fee
+Feeding
+Feel
+Feet
+Felled
+Felt
+Fen
+Fenumus
+Feral
+Ferocious
+Ferocity
+Fervour
+Fetish
+Fever
+Field
+Fiendish
+Fierce
+Fiery
+Fight
+Fighter
+filled
+Filled
+Filters
+Final
+Finality
+Finding
+Fine
+Finesse
+Fingers
+Finish
+Finisher
+Finishing
+Fire
+fire
+Fireball
+Firebolt
+fired
+Fireflower
+Firestarter
+Firestorm
+firing
+Firm
+First
+Fishing
+Fissure
+Fissures
+Fist
+Fixation
+Fixed
+Flail
+Flame
+Flameblast
+Flamepierce
+Flames
+Flamewalker
+Flammability
+Flanged
+Flare
+Flared
+Flash
+Flashy
+Flask
+Flask's
+Flasks
+Flax
+Flesh
+Fleshcrafting
+Fletching
+Flexed
+Flicker
+Flight
+Flip
+Flooding
+Floor
+Flourish
+Flow
+Flowing
+Fluke
+Flurry
+Flying
+Focus
+Focused
+Foes
+Fog
+Foil
+Following
+Font
+Foot
+Footing
+for
+For
+Forbidden
+Force
+Forces
+Forcewave
+Foreseeing
+Forest
+Forge
+Forgotten
+Fork
+Forked
+Forking
+form
+Form
+Formation
+Forsaken
+Forthcoming
+Fortified
+Fortifying
+Fortress
+Fortune
+Forward
+Fostering
+Foul
+Foulness
+found
+Fountain
+Fountains
+four
+Fox
+Foxshade
+Fractured
+Fracturing
+Fragile
+Fragility
+Fragment
+Fragmentation
+Fragments
+Frame
+Frantic
+Frayed
+Frazzled
+Freebooter
+Freedom
+Freeze
+Freezefork
+Freezes
+Freezing
+Frenetic
+Frenzied
+Frenzy
+Fresh
+Friend
+Fright
+Frightening
+from
+From
+front
+Frost
+Frostbolt
+Frostbreath
+Frostfire
+Frostwalker
+Frozen
+Full
+full
+Fully
+fully
+Fulmination
+Fungal
+Fur
+Furious
+further
+Furtive
+Fury
+Fuse
+Fusillade
+Future
+Gain
+gain
+gained
+gaining
+Gains
+gains
+Galvanic
+Gambit
+Gamble
+Gambleshot
+Gamblesprint
+Gambling
+Garb
+Gargantuan
+Garment
+Garukhan's
+Gas
+Gasp
+Gate
+Gathering
+Gauntlets
+Gauze
+Gaze
+Gelid
+Gem
+Gemcutter's
+Gemini
+Gems
+General
+General's
+generate
+generates
+generation
+Generation
+Generator
+Genesis
+Genius
+Ghastly
+Ghost
+Ghostmarch
+Ghostwrithe
+Giant
+Giant's
+Giantslayer
+Gift
+Gifts
+Gigantic
+Gilded
+Girdle
+Girt's
+Glacial
+Glaciation
+Glacier
+Gladiatoral
+Gladiatorial
+Glaive
+Glancing
+Glare
+Glass
+Glassblower's
+Glazed
+Gleaming
+Glimpse
+Gloam
+Gloamgown
+Global
+Globe
+Gloom
+Gloomform
+Glorifying
+Glorious
+Glory
+Gloves
+Glowering
+Glowing
+Glowswarm
+Gnashing
+Gnawed
+God
+Gods
+Going
+Gold
+Goldcast
+Golden
+Goldrim
+Goldwork
+Goldworked
+Goregirdle
+Gorge
+Goring
+Gothic
+Grace
+Grand
+Grandeur
+Grannell's
+grant
+granted
+Grants
+grants
+Grasp
+Grasping
+Gratification
+Grave
+Gravebind
+Gravedigger
+Great
+Greataxe
+Greatblade
+Greatclub
+Greater
+Greatest
+Greathammer
+Greathelm
+Greatsword
+Greatwolf's
+Greatwood
+Greaves
+Greed
+Greed's
+Grenade
+Grenades
+Grenadier
+Greymake
+Grief
+Grim
+Grinning
+Grip
+Grit
+Grold
+Ground
+Grounding
+Growing
+Growth
+Guard
+Guarded
+Guardian
+Guards
+Guatelitzi's
+Guidance
+Guided
+Guiding
+Guileful
+Guilt
+Gun
+Guts
+Gutspike
+Guttural
+had
+Haemocrystals
+Haemorrhage
+Haemorrhaging
+Hail
+Hailstorm
+Halberd
+Hale
+half
+Hallowed
+Hammer
+Hand
+hand
+Handed
+Hands
+happen
+Hardened
+Hardwood
+Hardy
+Hare
+Harmonic
+Harmony
+Harness
+Harp
+Harsh
+Harvest
+has
+Has
+Haste
+Hastening
+Hatchet
+Hate
+Hateforge
+Hatungo
+have
+haven't
+having
+Havoc
+Hawker's
+Hayoxi's
+Hazard
+Head
+Headed
+Headhunter
+Headshot
+Heart
+Heartbound
+Heartbreaking
+Heartcarver
+Hearted
+Heartstopper
+Heartstopping
+Heat
+Heatproof
+Heatproofing
+Heatshiver
+Heavy
+Hedgewitch
+Heft
+Hefty
+Hegemony
+Heightened
+Heirloom
+Helix
+Helm
+Helmet
+Herald
+Heraldric
+Herbalism
+Heritage
+Hermit
+Heroic
+Heroum
+Hestra's
+Hewn
+Hex
+Hexblast
+Hexer's
+Hexes
+Hexproof
+Hidden
+Hide
+High
+higher
+Hinder
+Hindered
+Hindering
+Hindrances
+Hinekora's
+Hint
+His
+Historic
+Hit
+hit
+Hits
+Hitting
+Hobble
+Hoghunt
+holding
+Hollow
+Holy
+Homeguard
+Homogenising
+Honed
+Honour
+Honoured
+Honourless
+Hood
+Hooded
+Hook
+Hope
+Hordes
+Horizon
+Horned
+Horns
+Horror
+Horrors
+Hour
+Hourglass
+Hours
+Howl
+Howling
+Hrimnor's
+Hulking
+Hunger
+Hungry
+Hunker
+Hunt
+Hunted
+Hunter
+Hunter's
+Hunting
+Husk
+Hymn
+Hypothermia
+Hyrri's
+Hysseg's
+Hysteria
+Ice
+Icebreaker
+Icefang
+Icestorm
+Icetomb
+Ichlotl's
+Ichor
+Icicle
+Icon
+Identified
+Idle
+Idol
+Idols
+if
+If
+Igniferis
+Ignite
+Ignited
+Ignites
+Igniting
+Ignition
+Ignore
+ignore
+ignoring
+II
+III
+IIQ
+IIR
+Illuminated
+Illusion
+Imbibed
+Immaterial
+immediate
+Immobilisation
+Immobilise
+Immobilised
+Immolate
+Immolation
+Immortal
+Immortalis
+Immune
+Immunities
+Immunity
+Impact
+Impair
+Impale
+Impatience
+Impending
+Impenetrable
+Imperial
+Implicit
+Impurity
+in
+In
+Incantation
+Incantations
+Incarnation
+Incendiary
+Incense
+Incinerate
+Incineration
+Incision
+INCOMPLETE
+increase
+increased
+increases
+Increases
+Incubator
+Incursion
+Indigon
+Inescapable
+Inevitable
+Inexorable
+Infamy
+Infernal
+Inferno
+Infernoclasp
+Infinite
+infinite
+inflict
+Inflict
+inflicted
+Inflicts
+inflicts
+Infuriation
+Infused
+Infuser
+Infusing
+Infusion
+Infusions
+Ingenuity
+inhabited
+Inhalation
+inherent
+Inherent
+Inheritance
+Inherited
+Inhibitor
+Initiative
+Inner
+Innervate
+Innsmouth
+Inoculation
+Inquisitor
+Insanity
+Inscribed
+Inscription
+Inscriptions
+Insightfulness
+Insignia
+Inspiration
+Inspiring
+Instability
+Instant
+instant
+Instantly
+instead
+Instilled
+Instinct
+Insulated
+Insulating
+Insulation
+Intake
+Intelligence
+Intense
+Intensity
+Intent
+Internal
+interrupted
+Interruption
+Intimidate
+Intimidated
+into
+Intricate
+Intrusion
+inverted
+Investing
+Invictus
+Invigorating
+Invitation
+Invocated
+Invocation
+Invocations
+Ipse
+Ire
+Iron
+Ironclad
+Irongrasp
+Ironhead
+Ironmail
+Ironride
+Ironwood
+Irradiated
+Irradiation
+Irreparable
+is
+Isolation
+it
+It
+item
+Item
+Items
+Itinerant
+its
+IV
+Ixchel's
+Jack
+Jacket
+Jade
+Jagged
+Jarngreipr
+Javelin
+Jawbone
+Jewel
+Jewelled
+Jeweller's
+Jewellers
+Jewels
+Jingling
+Jiquani
+Jiquani's
+Judgement
+Juggernaut
+Jugular
+Jungle
+Kalandra
+Kalandra's
+Kalguur
+Kalguuran
+Kalisa's
+Kaltenhalt
+Kamasan
+Kaom's
+Keelhaul
+Keen
+Keeper
+Kept
+Keth
+Key
+Keys
+Khatal's
+Kill
+kill
+killed
+Killed
+Killer
+Killing
+killing
+Killjoy
+Kills
+King
+Kingsguard
+Kinship
+Kitava
+Kite
+Kitoko's
+Knife
+Knight
+Knightly
+Knockback
+Knocks
+Kris
+Kulemak
+Kulemak's
+Kurgal
+Kurgal's
+Lace
+Laced
+Lacquer
+Lady
+Lamb
+Lamellar
+Lament
+Laminate
+Lance
+Lapis
+Large
+Last
+last
+Lasting
+lasting
+lasts
+Lattice
+Lavianga's
+Lay
+Layered
+Lazhwar
+Lazuli
+lead
+Lead
+Leaden
+Leader
+Leadership
+League
+Leaking
+Leap
+Leaping
+Leash
+least
+Leather
+Leatherbound
+Leathers
+Leech
+Leeched
+Leeches
+Leeching
+Leer
+left
+Left
+Legacy
+Leggings
+Legion
+Legionstride
+Leld's
+Length
+Leopold's
+less
+Lesser
+Lesson
+Lethal
+Level
+level
+Leverage
+Levinstone
+Leyline
+Lich
+Licking
+Liege
+Life
+Lifelong
+Lifesprig
+Lifetap
+Light
+Lightning
+Ligurium
+likely
+Limit
+limit
+Limits
+line
+Lineage
+lined
+Linen
+Lingering
+Links
+Lioneye's
+Lionheart
+Liquid
+Listed
+Listings
+Living
+Lizardscale
+load
+Loading
+Loads
+Local
+Location
+Lochtonial
+Lock
+Lockdown
+Locked
+Locus
+Logbook
+Logbooks
+Lone
+Long
+longer
+Longshot
+Longsword
+Loop
+Loose
+Lord
+Lorrata
+Lose
+lose
+losing
+loss
+Loss
+Lost
+lost
+Low
+Lowest
+Loyal
+Loyalty
+Lucidity
+Lucky
+Lumbering
+Luminous
+Lunar
+Lung
+Lust
+Lustrous
+Luxurious
+Lycosidae
+Macabre
+Mace
+Maces
+Machination
+Made
+Madness
+Maelstrom
+Mage
+Magic
+Magma
+Magnetic
+Magnified
+Magnitude
+Magnitudes
+magnitudes
+Magus
+Mahuxotl's
+Mail
+Mailed
+Maim
+Maiming
+Maji
+makes
+Makeshift
+Malady
+Malice
+Maligaro's
+Mallet
+Mammoth
+Mana
+Manacles
+Manchettes
+Mandragora
+Mania
+Manifest
+Manifested
+Manifold
+Manipulation
+Mannan's
+Mantle
+Mantled
+Mantra
+many
+Map
+Maps
+Marabout
+Maraketh
+Marathon
+Marauding
+Marching
+Mark
+Marked
+Marker
+Markers
+Marohi
+Martial
+Martyr
+Mask
+Masked
+Mass
+Massive
+Master
+Mastery
+Material
+Matsya
+Matter
+Maul
+Mauling
+Maxarius
+maximum
+Maximum
+Mayhem
+Measures
+Meat
+Medal
+Medium
+Medved
+Megalomaniac
+Meginord's
+Melding
+Melee
+Melting
+Member
+Memory
+Mending
+Mental
+Mercenary
+Merchant
+Merit
+Messer
+Meta
+Metabolism
+Metalworked
+Metamorphosis
+Meteoric
+Method
+Methods
+metre
+metres
+Midnight
+Might
+Militant
+Mind
+Ming's
+minimum
+Minion
+Minions
+Mirage
+Mirror
+mirror
+Mirrored
+Mirrors
+Miscellaneous
+missing
+Missing
+Mist
+Mitigation
+Mitts
+Mixtures
+Mjölner
+Mobility
+modified
+Modifier
+Modifiers
+Molt
+Molten
+Moment
+Moment's
+Momentum
+Monster
+monster
+Monsters
+monsters
+Month
+Months
+Monument
+Moon
+more
+Morgana's
+Morior
+Morning
+Mortar
+Mortification
+Mortis
+Motion
+Motivation
+Moulded
+Mount
+Mountain
+Mountains
+Move
+Movement
+moving
+Moving
+much
+Multi
+Multiplier
+Multishot
+Multitasking
+Munitions
+Murderous
+Murkshaft
+Muster
+Mutable
+Myriad
+Myris
+Myrk's
+Mystic
+Mystical
+Mysticism
+Narrow
+Nascent
+Natural
+Nature
+Nature's
+Nazir's
+Near
+nearby
+Nebuloch
+Necklace
+Necromancy
+Necromantic
+Necromantle
+Necrotic
+Necrotised
+Need
+Negation
+Netol's
+Nettle
+Neural
+never
+next
+Nexus
+Ngamahu's
+Night
+Nightscale
+Nimble
+no
+No
+Nobility
+Noble
+Nocturne
+Non
+non
+Normal
+Northpaw
+not
+Notable
+Note
+Nothing
+Nourishing
+Nova
+number
+Nurturing
+Oak
+Oaksworn
+Oasis
+Oath
+Obern's
+Obliterator
+Obsidian
+Obstacles
+Occultist
+Odds
+of
+Of
+Off
+Offer
+Offering
+Offerings
+Oil
+Oiled
+Oisín's
+Olroth
+Olroth's
+Olrovasara
+Omen
+Omens
+Ominous
+on
+On
+once
+one
+One
+One's
+Online
+only
+Only
+Onslaught
+open
+Opening
+Opiloti
+Opiloti's
+Opportunity
+opposite
+Opulence
+Opulent
+or
+Orb
+Orbala
+Orbala's
+Orbit
+Orbs
+Order
+Ordnance
+Orichalcum
+Original
+Ornate
+other
+Other
+Otherworldy
+out
+Out
+Outmaneuver
+over
+Over
+Overabundance
+Overcharge
+Overexposure
+Overextend
+Overflow
+Overflowing
+Overheating
+Overkill
+Overload
+Overreach
+overrun
+Overseer
+Overwhelm
+Overwhelming
+Overzealous
+Owl
+Ox
+Pace
+Pack
+Packs
+packs
+Packsize
+Pact
+Padded
+Pain
+Painted
+Painter's
+Pale
+Palm
+Pandemonius
+Paquate's
+Paradise
+Paragon
+Paralysing
+Paralysis
+Paranoia
+Pariah
+Pariah's
+Parried
+Parry
+Parrying
+Party
+Passage
+passes
+Passion
+Passive
+Passives
+Passthrough
+past
+Past
+patches
+Patchwork
+Path
+Pathfinder
+Patient
+Pauascale
+pauses
+pay
+Payload
+Peace
+Peacemaker's
+Peak
+Pearl
+Pearlescent
+Pelage
+Pelt
+Penalties
+Penalty
+Penetrate
+Penetrates
+penetrates
+Penetrating
+Penetration
+Penumbra
+per
+Perandus
+Perfect
+Perfected
+Perfection
+Perfectly
+Perfidy
+Perforation
+period
+periodically
+Permafrost
+Permanently
+Perpetual
+Perseverance
+Persistent
+Person
+Personal
+Petition
+Phantasmal
+Phoenix
+Physical
+Pick
+picking
+Pierce
+Pierced
+Piercing
+Pile
+Piles
+Pilgrim
+Pillar
+Pin
+Pinnacle
+Pinning
+Pinpoint
+Pins
+Pit
+Pits
+Placed
+Placement
+Plague
+Plagued
+Plaguefinger
+Plan
+Plant
+Plasma
+Plate
+Plated
+Plating
+Player
+players
+Players
+Pledge
+Pliable
+Plumed
+plus
+Pocket
+Point
+Pointed
+Points
+Poison
+Poisonburst
+Poisoned
+Poisons
+Polcirkeln
+Polished
+Polymathy
+Poppet
+Possessed
+possible
+Posture
+Potency
+Potent
+Potential
+Potions
+Pounce
+Powder
+Power
+Powerful
+Powertread
+Practical
+Practiced
+Practitioner
+Pragmatism
+Pray
+Prayers
+Precise
+Precision
+Precursor
+Preemptive
+Prefix
+Premeditation
+Presence
+Present
+Preservation
+Preserved
+Pressure
+Prevent
+prevent
+prevented
+previously
+Price
+Prices
+Primal
+Primary
+Primate
+Primed
+Prism
+Prismatic
+Prisms
+Prisoner's
+Prized
+Profane
+Profanity
+Proficiency
+Profusion
+Progress
+Project
+Projectile
+Projectiles
+Projection
+Proliferating
+Prolonged
+Pronged
+Propulsion
+Protection
+Protector
+Prototype
+Protraction
+provide
+Prowess
+Psychic
+Puhuarte
+Pulse
+Punch
+Punctured
+Pure
+Purity
+Purple
+Purpose
+Pursuit
+Push
+Putrefaction
+Pyre
+Pyrophyte
+Quality
+Quantity
+quantity
+quarter
+Quartered
+Quarterstaff
+Quarterstaves
+Quatl's
+Quecholli
+Queen
+Quick
+Quicksand
+Quickslip
+Quill
+Quilted
+Quipolatl
+Quipolatl's
+Quiver
+Rabbit
+Rabid
+Radiance
+Radiant
+Radius
+radius
+Rage
+Rageforged
+Raging
+Raider
+Raiment
+Rain
+Raincaller
+Raise
+Raised
+raised
+Rake
+Rakiata's
+Ralakesh
+Rally
+Rallying
+Rambler
+Rampage
+Rampart
+random
+Range
+Ranged
+Rapid
+Raptor
+Rare
+Rarity
+Rasa
+Rat
+Rate
+rate
+Ratha's
+Rathpith
+Rating
+Rattled
+Rattler
+Rattling
+Ravenous
+Raw
+Rawhide
+Razor
+Reach
+reach
+Reaching
+reaching
+Reaction
+Reap
+Reaper's
+Reaping
+reappear
+Rearguard
+Rearm
+Reaver
+Reaving
+Rebirth
+receive
+Recently
+recently
+Recharge
+Recharges
+Recombination
+Recoup
+Recouped
+Recover
+recover
+Recovered
+recovers
+Recovers
+Recovery
+recovery
+Recurve
+Recycling
+Red
+Redbeak
+Redblade
+Redflare
+reduced
+Reduction
+reduction
+Reductions
+Reefsteel
+Refills
+Refined
+reflected
+Reflected
+Reflecting
+Reflects
+Reflexes
+Refocus
+Reformed
+Refraction
+Refrain
+Refreshment
+refund
+Regal
+Regalia
+Regenerate
+Regenerated
+Regeneration
+regeneration
+Regenerative
+Regrowth
+Regulation
+Reign
+Reinforced
+Reinforcements
+Reinvigoration
+Rejuvenation
+Relationship
+Relentless
+Relic
+Relics
+Reliquary
+Reload
+reload
+Reloaded
+remain
+remaining
+Remains
+Remembered
+Remembrancing
+Remnant
+Remnants
+remove
+Remove
+removed
+Removes
+Rending
+Reparations
+Repeat
+Repeating
+Reprisal
+Repulsion
+Requiem
+Require
+require
+Requirement
+Requirements
+Requires
+requires
+Requital
+Reroll
+Rerolled
+Rerolling
+rerolling
+Research
+Reservation
+reserve
+Reserved
+Resilience
+Resin
+Resist
+Resistance
+Resistances
+Resolute
+Resolution
+Resolve
+Resonance
+Resonating
+Response
+Restless
+restore
+Restore
+restored
+Resurgence
+Resurging
+retain
+Retaliate
+Retaliation
+Retention
+Retort
+Retreat
+Return
+Reusable
+revealed
+Revenge
+Reverberate
+Reverberation
+Revered
+reversed
+Reversing
+Revive
+Revived
+revives
+Revives
+Revolt
+Reward
+Rewards
+Rhoa
+Rhoahide
+Rhythm
+Rib
+Ricochet
+Rider
+Ridged
+Riding
+Rift
+right
+Right
+Rigwald's
+Rime
+Ring
+ring
+Ringed
+Ringmail
+Rings
+Rip
+Riposte
+Rippled
+Rise
+Rising
+Rite
+Ritual
+Ritualistic
+Rituals
+River
+Rivers
+Riveted
+Road
+Roar
+Roaring
+Robe
+Robust
+Rod
+Rogue
+Roil
+Roll
+Rolled
+Rolling
+Rolls
+Romira's
+Rondel
+Room
+room
+Rooms
+Rope
+Rotted
+Rough
+Rounds
+Royal
+Ruby
+Rugged
+Ruin
+Ruination
+Ruinic
+Rule
+Run
+Rune
+Runed
+Runes
+Runic
+Runner
+Rupture
+Rupturing
+Rush
+Rusted
+Ruthless
+Ryslatha's
+Sabatons
+Sacral
+Sacramental
+Sacred
+Sacrifice
+Sacrificed
+Sacrificial
+Sacrosanctum
+Saffell's
+Saintly
+Saitha's
+Sale
+Salvo
+same
+Sanctification
+Sanctified
+Sanctum
+Sand
+Sandals
+Sands
+Sandstorm
+Sandsworn
+Sanguimancer
+Sanguimantic
+Sanguine
+Sanguis
+Sapphire
+Saqawal's
+Sash
+Satchel
+satisfy
+Savage
+Savagery
+Savoured
+Savouring
+Scale
+Scales
+Scalper's
+Scarred
+Scattering
+Scavenged
+Scavenger
+Sceptre
+Scimitar
+Scold's
+Scoundrel
+Scourge
+Scout's
+Scrap
+Scraps
+Script
+Scroll
+Scrying
+Sculpted
+Scythe
+Seaglass
+Seal
+Searing
+Season
+Seasons
+Seastorm
+Second
+second
+Secondary
+seconds
+Secret
+Secrets
+Sectarian
+Sectioned
+Secured
+See
+Seed
+Seeing
+Seeking
+Seer
+Seismic
+Sekhema
+Sekhema's
+Sekheman
+Self
+Selfless
+Seller
+Sentry
+Serape
+Serpent
+Serpent's
+Serpentscale
+Serrated
+Servant
+Service
+Seske's
+Shabby
+Shackles
+Shadow
+Shadows
+Shaman
+Shamanistic
+Shank
+Shankgonne
+Shapeshift
+Shapeshifted
+Shard
+Shards
+Share
+Sharp
+Sharpened
+Shatter
+Shattered
+Shattering
+Shavronne's
+Shedding
+Shell
+Shelter
+Shield
+Shielded
+Shifted
+Shimmering
+Shiver
+Shock
+Shockburst
+Shockchain
+Shocked
+Shocking
+Shockproof
+Shocks
+Shockwave
+Shockwaves
+Shoes
+Short
+Shortbow
+Shortsword
+Shot
+Shots
+Shrapnel
+Shredding
+Shrine
+Shrines
+Shrouded
+Shyaba
+Sibilant
+Sic
+Sickle
+Sickness
+Siege
+Sierran
+Sight
+Sighted
+Sigil
+Signet
+Silent
+Silk
+Silks
+Silver
+Silverbuckled
+Silverthorne
+Simple
+Simulacrum
+Sin
+Sine
+Singular
+Sinister
+Sinistral
+Sione's
+Siphon
+Siphoner
+Siphoning
+Sire
+Sirenscale
+Sirrius
+Sitting
+Size
+size
+Skeletal
+Skies
+Skill
+Skill's
+Skills
+skills
+Skin
+Skinning
+Skittering
+Skulking
+Skullcrusher
+Sky
+Skycrown
+Skysliver
+Slain
+slain
+Slam
+Slams
+Slash
+Slaughter
+Slaying
+Sleek
+Slender
+Slicing
+Slim
+Sling
+Slippers
+Slippery
+Slipstrike
+Slivertongue
+Slot
+slot
+Slow
+Slowing
+Slows
+Sludge
+Small
+Smash
+Smelting
+Smiling
+Smithing
+Smoke
+Smooth
+Smuggler
+Snake
+Snakebite
+Snakepit
+Snakewood
+Snap
+Snare
+Snipe
+Sniper
+Sniper's
+Snowpiercer
+Soaring
+Socket
+Socketed
+socketed
+Sockets
+Solar
+Solaris
+Soldier
+Soldiering
+Solemn
+Solid
+Solidification
+Solus
+Sombre
+songworthy
+sooner
+Sorcerous
+Sorcery
+Soul
+souls
+Souls
+Sovereign
+Space
+Spaghettification
+Spar
+Spark
+Sparks
+spawn
+spawned
+spawns
+Spear
+Spearfield
+Spears
+Specialised
+Spectral
+Spectre
+Spectrum
+Speed
+speed
+Spell
+Spellblade
+Spells
+Spellslinger
+spending
+spent
+Spent
+Spike
+Spiked
+Spikes
+Spikeward
+Spined
+Spinning
+Spiny
+Spiral
+Spire
+Spired
+Spirit
+Spiritbone
+Spirits
+Spite
+Splash
+Splendour
+Splinter
+Splintered
+Splinterheart
+Splintering
+Splinters
+Split
+Splitting
+Spores
+Spray
+spread
+Spreading
+Spring
+Sprint
+Sprinter
+Sprinting
+Stability
+Stack
+Stacked
+Stacking
+Staff
+Stag
+Staggering
+Staghorn
+Stake
+Stalking
+Stampede
+Stance
+Stand
+Star
+Starkonja's
+Stars
+start
+starts
+Static
+stationary
+Statuette
+Staunch
+Staunching
+stay
+Steadfast
+Steady
+steal
+Steel
+Steelhead
+Steelmail
+Steelpoint
+Steeltoe
+Stellar
+Step
+Stigmata
+still
+Stillness
+Stimulants
+Stitched
+Stitcher
+Stocky
+Stoic
+Stoicism
+Stomping
+Stone
+Storm
+Stormblast
+Stormbreaker
+Stormcaller
+Stormchain
+Stormcharged
+Stormfire
+Storms
+Stormwalker
+Stout
+Strategy
+Stratified
+Straw
+Streamlined
+Strength
+Strider
+Strife
+Strike
+Strikes
+Striking
+Stripped
+Strong
+Strongbox
+Strongboxes
+Struck
+Structured
+Strugglescream
+Studded
+Stun
+Stunned
+Stuns
+Stupefy
+Sturdy
+Stylebender
+Subterfuge
+Succession
+Succour
+Sudden
+Suede
+Suffering
+Suffix
+Suffusion
+Summer
+Summon
+Summoned
+summoned
+Summoning
+Sun
+Sunder
+Sundering
+Sunsplinter
+Supercharged
+Supercritical
+Support
+Supportive
+Supremacy
+Surefooted
+Surge
+Surging
+Surpassing
+Surrender
+Surrounded
+Suspected
+Svalinn
+Swap
+Swarm
+Swathed
+Swell
+Swift
+Swiftstalker
+Swing
+Swings
+Sword
+Swords
+Symbol
+Sympathiser
+Syzygy
+Tablet
+Tablets
+Tabula
+Tacati
+Tacati's
+Tactical
+Tailwind
+Tainted
+take
+Take
+taken
+Taken
+takes
+taking
+Tales
+Talisman
+Tame
+Tamed
+Tangletongue
+Tangmazu's
+Tapestry
+Targe
+target
+Target
+targets
+Targets
+Tariff
+Taryn's
+Tasalian
+Tasalio's
+Taste
+Tattered
+Tattoo
+Taut
+Tawhoa's
+Tawhoan
+Tear
+Tearing
+Technique
+Tecrod
+Tecrod's
+Tectonic
+Temper
+Tempered
+Tempest
+Templar
+Temple
+Tempo
+Temporal
+Temporalis
+Tending
+Tenebrous
+Tenfold
+Tense
+tenth
+Tenure
+terrain
+Tertiary
+Test
+Tether
+Tethers
+Tetzlapokal's
+than
+Thane
+that
+Thawing
+the
+The
+their
+them
+Them
+there
+Thesis
+they
+they've
+Thick
+Thickened
+Thicket
+Thief's
+Thin
+Thirst
+Thirsting
+this
+This
+Thorn
+Thornhide
+Thorns
+Thornskin
+those
+though
+Thought
+Thousand
+Thrashing
+Threaded
+Three
+three
+Threshold
+Thrill
+Thrillsteel
+Throatseeker
+Through
+through
+Thruldana
+Thrust
+Thunder
+Thunderfist
+Thundergod's
+Thunderous
+Thunderstep
+Thunderstorm
+Thunderstruck
+Tiara
+Ticaba
+Tidebreaker
+Tides
+Tideseer
+Tier
+tier
+Time
+time
+Timeless
+Timer
+times
+Times
+Timing
+Tipped
+Tireless
+Tissue
+Titan
+Titanic
+Titanrot
+Tithe
+Tithing
+to
+Toad
+Tolerance
+Tolerant
+Toll
+Tonal
+Tongue
+Topaz
+Topotante
+Topotante's
+Torment
+Torn
+Tornado
+total
+Total
+Totem
+Totemic
+Totems
+Touch
+Toughness
+towards
+Tower
+Towering
+Toxic
+Toxins
+Trade
+Trades
+Tradition's
+Traditions
+Tragedy
+Trail
+Trailblazer
+Trained
+Trampletoe
+Trance
+Transcended
+Transcendent
+Transfusion
+Transmutation
+Trapper
+Traps
+Trauma
+travelled
+Traveller
+Treads
+Treasured
+treat
+tree
+Treefingers
+Treerunner
+Tremors
+Trenchtimbre
+Trephina
+Trial
+Trialmaster's
+Trials
+Tribal
+Tribute
+tribute
+Trick
+Trigger
+Triggered
+triggers
+Triggers
+Trimmed
+Trinity
+True
+Trusted
+Truth
+Tukohama's
+Tul's
+Tumult
+Turn
+Turrets
+Tusks
+twice
+Twice
+Twig
+Twilight
+Twin
+Twinned
+Twister
+Two
+two
+Type
+type
+types
+Tyranny's
+Tzamoto
+Tzamoto's
+Uhtred's
+Ulaman
+Ulaman's
+Uldurn
+Ullr
+Ultimate
+Ultimatum
+Ultra
+Umbilicus
+Unabating
+unaffected
+Unarmed
+Unassuming
+Unbending
+Unblockable
+Unborn
+Unbothering
+Unbound
+Unbreakable
+Unbreaking
+Uncapped
+Uncut
+Undead
+Underground
+Undoing
+Undying
+Unearth
+Unerring
+Unexpected
+Unforeseen
+Unforgiving
+Ungil's
+Unhindered
+Unholy
+Unidentified
+Unimpeded
+Union
+Unique
+Unit
+Unity
+unknown
+Unleash
+Unlucky
+Unmodifiable
+Unnatural
+Unquenched
+Unreserved
+Unrevealed
+Unset
+Unsight
+Unspoken
+unstable
+Unstable
+Unsteady
+Unstoppable
+until
+Untouchable
+UNUSED
+Unwavering
+Unyielding
+up
+Up
+upgrade
+Upgrades
+Upheaval
+upon
+Upward
+Upwelling
+Urgent
+Urn
+Uromoti's
+Uruk's
+use
+Use
+used
+Used
+using
+Utility
+Utmost
+Utopia
+Utzaal
+Uul
+Uxor
+Vaal
+Vagabond
+Valako's
+Vale
+Valour
+value
+values
+Vampiric
+Vanguard
+Varashta's
+Varnished
+Vase
+Vaulting
+Vectors
+Veil
+Veiled
+Velocity
+Velour
+Velvet
+venerating
+Veneration
+Vengeance
+Vengeful
+Venopuncture
+Ventor's
+Verdict
+Verglas
+Verisium
+Vermeil
+Versatile
+Vertebrae
+Vertex
+Very
+Vest
+Vestments
+Veteran
+Vial
+Vice
+Vicious
+Viciousness
+Victor
+Victorious
+View
+Vigil
+Vigilance
+Vigilant
+Vigorous
+Vile
+Vilenta's
+Vine
+Vines
+Viper
+Virtue
+Virtuosity
+Virtuous
+Vis
+Visage
+Visceral
+Viscous
+visible
+Vision
+Visions
+Visored
+Vitality
+Vocal
+Void
+Volant
+Volatile
+Volatility
+Volcanic
+Volcano
+Voll's
+Volley
+Volt
+Voltaic
+Voltaxic
+Voltfang
+Voodoo
+Voracious
+Vorana
+Votive
+Vulgar
+Vulnerability
+Wailing
+Waistgate
+Wake
+Walking
+Wall
+Walls
+Wand
+Wanderer
+Wandering
+Wanderlust
+Waning
+War
+Warcries
+Warcry
+Ward
+Warded
+Warden
+Warding
+Warlock
+Warlord
+Warm
+Warmonger
+Warp
+Warpick
+Warrior
+Wary
+was
+Wasting
+Watchtowers
+Water
+Waters
+Waterskin
+Wave
+Waveshaper
+Waxed
+Waxing
+way
+Wayfarer
+Waystone
+Waystones
+Wayward
+Weak
+Weakened
+Weakness
+Weakspot
+Weapon
+weapon
+Weapon's
+Weaponry
+Weapons
+Weathered
+Weaver
+Weeds
+Week
+Weeks
+Well
+Wells
+Wellspring
+were
+Wheel
+when
+When
+Whetstone
+Whetstones
+which
+while
+While
+Whirling
+Whirlwind
+Whisper
+Whispering
+Whispers
+Whittling
+Whorl
+Wicked
+Wicker
+Wide
+Widespread
+Widow's
+Widowhail
+wield
+wielding
+Wild
+Wildfire
+Wildness
+Wilds
+Wildshards
+Wildsurge
+Wildwood
+Will
+Willpower
+Wind
+Window
+window
+Windscream
+Wing
+Winged
+Wings
+Winnowing
+Winter
+Winter's
+Wisdom
+with
+With
+Wither
+Withered
+Withering
+within
+Within
+without
+Wolf
+Wolf's
+Wolfskin
+Wondertrap
+Wood
+Wooden
+Woodland
+Wool
+Worn
+would
+Wounds
+Woven
+Wraeclast
+Wrapped
+Wraps
+Wrath
+Wreath
+Wretched
+Wulfsbane
+Wylund's
+Wyrm
+Wyrmscale
+Wyvern
+Wyvern's
+Xesht's
+Xibaqua's
+Xipocado's
+Xopec
+Xopec's
+Xoph's
+Yell
+Yes
+Yix
+Yoke
+you
+You
+you've
+your
+Your
+yours
+yourself
+Youth
+Yriel's
+Zalatl
+Zalatl's
+Zantipi
+Zarokh
+Zarokh's
+Zealot
+Zealot's
+Zenith
+zero
+Zerphi's
+Zombie
+Zone
diff --git a/tools/OcrDaemon/tessdata/poe2_filters.json b/tools/OcrDaemon/tessdata/poe2_filters.json
new file mode 100644
index 0000000..4a50c7b
--- /dev/null
+++ b/tools/OcrDaemon/tessdata/poe2_filters.json
@@ -0,0 +1 @@
+{"result":[{"id":"status_filters","filters":[{"id":"status","option":{"options":[{"id":"available","text":"Instant Buyout and In Person"},{"id":"securable","text":"Instant Buyout"},{"id":"onlineleague","text":"In Person (Online in League)"},{"id":"online","text":"In Person (Online)"},{"id":"any","text":"Any"}]}}]},{"id":"type_filters","title":"Type Filters","filters":[{"id":"category","text":"Item Category","fullSpan":true,"option":{"options":[{"id":null,"text":"Any"},{"id":"weapon","text":"Any Weapon"},{"id":"weapon.onemelee","text":"Any One-Handed Melee Weapon"},{"id":"weapon.unarmed","text":"Unarmed"},{"id":"weapon.claw","text":"Claw"},{"id":"weapon.dagger","text":"Dagger"},{"id":"weapon.onesword","text":"One-Handed Sword"},{"id":"weapon.oneaxe","text":"One-Handed Axe"},{"id":"weapon.onemace","text":"One-Handed Mace"},{"id":"weapon.spear","text":"Spear"},{"id":"weapon.flail","text":"Flail"},{"id":"weapon.twomelee","text":"Any Two-Handed Melee Weapon"},{"id":"weapon.twosword","text":"Two-Handed Sword"},{"id":"weapon.twoaxe","text":"Two-Handed Axe"},{"id":"weapon.twomace","text":"Two-Handed Mace"},{"id":"weapon.warstaff","text":"Quarterstaff"},{"id":"weapon.talisman","text":"Talisman"},{"id":"weapon.ranged","text":"Any Ranged Weapon"},{"id":"weapon.bow","text":"Bow"},{"id":"weapon.crossbow","text":"Crossbow"},{"id":"weapon.caster","text":"Any Caster Weapon"},{"id":"weapon.wand","text":"Wand"},{"id":"weapon.sceptre","text":"Sceptre"},{"id":"weapon.staff","text":"Staff"},{"id":"weapon.rod","text":"Fishing Rod"},{"id":"armour","text":"Any Armour"},{"id":"armour.helmet","text":"Helmet"},{"id":"armour.chest","text":"Body Armour"},{"id":"armour.gloves","text":"Gloves"},{"id":"armour.boots","text":"Boots"},{"id":"armour.quiver","text":"Quiver"},{"id":"armour.shield","text":"Shield"},{"id":"armour.focus","text":"Focus"},{"id":"armour.buckler","text":"Buckler"},{"id":"accessory","text":"Any Accessory"},{"id":"accessory.amulet","text":"Amulet"},{"id":"accessory.belt","text":"Belt"},{"id":"accessory.ring","text":"Ring"},{"id":"gem","text":"Any Gem"},{"id":"gem.activegem","text":"Skill Gem"},{"id":"gem.supportgem","text":"Support Gem"},{"id":"gem.metagem","text":"Meta Gem"},{"id":"jewel","text":"Any Jewel"},{"id":"flask","text":"Any Flask"},{"id":"flask.life","text":"Life Flask"},{"id":"flask.mana","text":"Mana Flask"},{"id":"map","text":"Any Endgame Item"},{"id":"map.waystone","text":"Waystone"},{"id":"map.fragment","text":"Map Fragment"},{"id":"map.logbook","text":"Logbook"},{"id":"map.breachstone","text":"Breachstone"},{"id":"map.barya","text":"Barya"},{"id":"map.bosskey","text":"Pinnacle Key"},{"id":"map.ultimatum","text":"Ultimatum Key"},{"id":"map.tablet","text":"Tablet"},{"id":"card","text":"Divination Card"},{"id":"sanctum.relic","text":"Relic"},{"id":"currency","text":"Any Currency"},{"id":"currency.omen","text":"Omen"},{"id":"currency.socketable","text":"Any Augment"},{"id":"currency.rune","text":"Rune"},{"id":"currency.soulcore","text":"Soul Core"},{"id":"currency.idol","text":"Idol"}]}},{"id":"rarity","text":"Item Rarity","fullSpan":true,"option":{"options":[{"id":null,"text":"Any"},{"id":"normal","text":"Normal"},{"id":"magic","text":"Magic"},{"id":"rare","text":"Rare"},{"id":"unique","text":"Unique"},{"id":"uniquefoil","text":"Unique (Foil)"},{"id":"nonunique","text":"Any Non-Unique"}]}},{"id":"ilvl","text":"Item Level","minMax":true},{"id":"quality","text":"Item Quality","minMax":true}]},{"id":"equipment_filters","title":"Equipment Filters","hidden":true,"filters":[{"id":"damage","text":"Damage","minMax":true},{"id":"aps","text":"Attacks per Second","minMax":true},{"id":"crit","text":"Critical Chance","minMax":true},{"id":"dps","text":"Damage per Second","minMax":true},{"id":"pdps","text":"Physical DPS","minMax":true},{"id":"edps","text":"Elemental DPS","minMax":true},{"id":"reload_time","text":"Reload Time","minMax":true,"halfSpan":true},{"id":"ar","text":"Armour","tip":"Includes base value, local modifiers, and maximum quality","minMax":true},{"id":"ev","text":"Evasion","tip":"Includes base value, local modifiers, and maximum quality","minMax":true},{"id":"es","text":"Energy Shield","tip":"Includes base value, local modifiers, and maximum quality","minMax":true},{"id":"block","text":"Block","tip":"Includes base value and local modifiers","minMax":true},{"id":"spirit","text":"Spirit","tip":"Includes base value, local modifiers, and maximum quality","minMax":true},{"id":"rune_sockets","text":"Augmentable Sockets","minMax":true}]},{"id":"req_filters","title":"Requirements","hidden":true,"filters":[{"id":"lvl","text":"Level","minMax":true},{"id":"str","text":"Strength","minMax":true},{"id":"dex","text":"Dexterity","minMax":true},{"id":"int","text":"Intelligence","minMax":true}]},{"id":"map_filters","title":"Endgame Filters","hidden":true,"filters":[{"id":"map_tier","text":"Waystone Tier","minMax":true},{"id":"map_packsize","text":"Waystone Packsize","minMax":true},{"id":"map_iiq","text":"Waystone IIQ","tip":"Increased Item Quantity","minMax":true},{"id":"map_iir","text":"Waystone IIR","tip":"Increased Item Rarity","minMax":true},{"id":"map_revives","text":"Waystone Revives","minMax":true},{"id":"map_bonus","text":"Waystone Drop Chance","minMax":true},{"id":"map_gold","text":"Waystone Gold","minMax":true},{"id":"map_experience","text":"Waystone Experience","minMax":true},{"id":"map_magic_monsters","text":"Waystone Magic Monsters","minMax":true},{"id":"map_rare_monsters","text":"Waystone Rare Monsters","minMax":true},{"id":"ultimatum_hint","text":"Ultimatum Trial Hint","option":{"options":[{"id":null,"text":"Any"},{"id":"Victorious","text":"Victorious"},{"id":"Cowardly","text":"Cowardly"},{"id":"Deadly","text":"Deadly"}]}}]},{"id":"misc_filters","title":"Miscellaneous","hidden":true,"filters":[{"id":"gem_level","text":"Gem Level","minMax":true},{"id":"gem_sockets","text":"Gem Sockets","minMax":true},{"id":"area_level","text":"Area Level","minMax":true},{"id":"stack_size","text":"Stack Size","minMax":true},{"id":"identified","text":"Identified","option":{"options":[{"id":null,"text":"Any"},{"id":"true","text":"Yes"},{"id":"false","text":"No"}]}},{"id":"fractured_item","text":"Fractured","option":{"options":[{"id":null,"text":"Any"},{"id":"true","text":"Yes"},{"id":"false","text":"No"}]}},{"id":"corrupted","text":"Corrupted","option":{"options":[{"id":null,"text":"Any"},{"id":"true","text":"Yes"},{"id":"false","text":"No"}]}},{"id":"sanctified","text":"Sanctified","option":{"options":[{"id":null,"text":"Any"},{"id":"true","text":"Yes"},{"id":"false","text":"No"}]}},{"id":"twice_corrupted","text":"Twice Corrupted","option":{"options":[{"id":null,"text":"Any"},{"id":"true","text":"Yes"},{"id":"false","text":"No"}]}},{"id":"mutated","text":"Cultivated Vaal Unique","option":{"options":[{"id":null,"text":"Any"},{"id":"true","text":"Yes"},{"id":"false","text":"No"}]}},{"id":"veiled","text":"Unrevealed","option":{"options":[{"id":null,"text":"Any"},{"id":"true","text":"Yes"},{"id":"false","text":"No"}]}},{"id":"desecrated","text":"Desecrated","option":{"options":[{"id":null,"text":"Any"},{"id":"true","text":"Yes"},{"id":"false","text":"No"}]}},{"id":"foreseeing","text":"Foreseeing","option":{"options":[{"id":null,"text":"Any"},{"id":"true","text":"Yes"},{"id":"false","text":"No"}]}},{"id":"mirrored","text":"Mirrored","option":{"options":[{"id":null,"text":"Any"},{"id":"true","text":"Yes"},{"id":"false","text":"No"}]}},{"id":"sanctum_gold","text":"Barya Sacred Water","minMax":true},{"id":"unidentified_tier","text":"Unidentified Tier","minMax":true}]},{"id":"trade_filters","title":"Trade Filters","hidden":true,"filters":[{"id":"account","text":"Seller Account","fullSpan":true,"input":{"placeholder":"Enter account name..."}},{"id":"collapse","text":"Collapse Listings by Account","fullSpan":true,"option":{"options":[{"id":null,"text":"No"},{"id":"true","text":"Yes"}]}},{"id":"indexed","text":"Listed","fullSpan":true,"option":{"options":[{"id":null,"text":"Any Time"},{"id":"1hour","text":"Up to an Hour Ago"},{"id":"3hours","text":"Up to 3 Hours Ago"},{"id":"12hours","text":"Up to 12 Hours Ago"},{"id":"1day","text":"Up to a Day Ago"},{"id":"3days","text":"Up to 3 Days Ago"},{"id":"1week","text":"Up to a Week Ago"},{"id":"2weeks","text":"Up to 2 Weeks Ago"},{"id":"1month","text":"Up to 1 Month Ago"},{"id":"2months","text":"Up to 2 Months Ago"}]}},{"id":"sale_type","text":"Sale Type","fullSpan":true,"option":{"options":[{"id":"any","text":"Any"},{"id":null,"text":"Buyout or Fixed Price"},{"id":"priced_with_info","text":"Price with Note"},{"id":"unpriced","text":"No Listed Price"}]}},{"id":"fee","text":"Gold Fee","fullSpan":true,"minMax":true},{"id":"price","text":"Buyout Price","fullSpan":true,"option":{"options":[{"id":null,"text":"Exalted Orb Equivalent"},{"id":"exalted_divine","text":"Exalted or Divine Orbs"},{"id":"aug","text":"Orb of Augmentation"},{"id":"transmute","text":"Orb of Transmutation"},{"id":"exalted","text":"Exalted Orb"},{"id":"regal","text":"Regal Orb"},{"id":"chaos","text":"Chaos Orb"},{"id":"vaal","text":"Vaal Orb"},{"id":"alch","text":"Orb of Alchemy"},{"id":"divine","text":"Divine Orb"},{"id":"annul","text":"Orb of Annulment"},{"id":"mirror","text":"Mirror of Kalandra"}]},"minMax":true}]}]}
\ No newline at end of file
diff --git a/tools/OcrDaemon/tessdata/poe2_items.json b/tools/OcrDaemon/tessdata/poe2_items.json
new file mode 100644
index 0000000..ec25c7f
--- /dev/null
+++ b/tools/OcrDaemon/tessdata/poe2_items.json
@@ -0,0 +1 @@
+{"result":[{"id":"accessory","label":"Accessories","entries":[{"type":"Crimson Amulet"},{"type":"Gold Amulet"},{"type":"Pearlescent Amulet"},{"type":"Azure Amulet"},{"type":"Amber Amulet"},{"type":"Jade Amulet"},{"type":"Lapis Amulet"},{"type":"Lunar Amulet"},{"type":"Bloodstone Amulet"},{"type":"Stellar Amulet"},{"type":"Solar Amulet"},{"type":"Dusk Amulet"},{"type":"Gloam Amulet"},{"type":"Penumbra Amulet"},{"type":"Tenebrous Amulet"},{"type":"Rawhide Belt"},{"type":"Utility Belt"},{"type":"Fine Belt"},{"type":"Linen Belt"},{"type":"Wide Belt"},{"type":"Long Belt"},{"type":"Plate Belt"},{"type":"Ornate Belt"},{"type":"Mail Belt"},{"type":"Double Belt"},{"type":"Heavy Belt"},{"type":"Iron Ring"},{"type":"Gold Ring"},{"type":"Unset Ring"},{"type":"Abyssal Signet"},{"type":"Lazuli Ring"},{"type":"Ruby Ring"},{"type":"Sapphire Ring"},{"type":"Topaz Ring"},{"type":"Amethyst Ring"},{"type":"Emerald Ring"},{"type":"Pearl Ring"},{"type":"Prismatic Ring"},{"type":"Ring"},{"type":"Breach Ring"},{"type":"Dusk Ring"},{"type":"Gloam Ring"},{"type":"Penumbra Ring"},{"type":"Tenebrous Ring"},{"type":"Gold Ring","text":"Andvarius Gold Ring","name":"Andvarius","flags":{"unique":true}},{"type":"Stellar Amulet","text":"Astramentis Stellar Amulet","name":"Astramentis","flags":{"unique":true}},{"type":"Solar Amulet","text":"Beacon of Azis Solar Amulet","name":"Beacon of Azis","flags":{"unique":true}},{"type":"Double Belt","text":"Bijouborne Double Belt","name":"Bijouborne","flags":{"unique":true}},{"type":"Wide Belt","text":"Birthright Buckle Wide Belt","name":"Birthright Buckle","flags":{"unique":true}},{"type":"Amethyst Ring","text":"Blackflame Amethyst Ring","name":"Blackflame","flags":{"unique":true}},{"type":"Iron Ring","text":"Blackheart Iron Ring","name":"Blackheart","flags":{"unique":true}},{"type":"Ruby Ring","text":"Blistering Bond Ruby Ring","name":"Blistering Bond","flags":{"unique":true}},{"type":"Wide Belt","text":"Byrnabas Wide Belt","name":"Byrnabas","flags":{"unique":true}},{"type":"Unset Ring","text":"Bursting Decay Unset Ring","name":"Bursting Decay","flags":{"unique":true}},{"type":"Topaz Ring","text":"Call of the Brotherhood Topaz Ring","name":"Call of the Brotherhood","flags":{"unique":true}},{"type":"Amber Amulet","text":"Carnage Heart Amber Amulet","name":"Carnage Heart","flags":{"unique":true}},{"type":"Jade Amulet","text":"Choir of the Storm Jade Amulet","name":"Choir of the Storm","flags":{"unique":true}},{"type":"Mail Belt","text":"Coward's Legacy Mail Belt","name":"Coward's Legacy","flags":{"unique":true}},{"type":"Ruby Ring","text":"Cracklecreep Ruby Ring","name":"Cracklecreep","flags":{"unique":true}},{"type":"Fine Belt","text":"Darkness Enthroned Fine Belt","name":"Darkness Enthroned","flags":{"unique":true}},{"type":"Emerald Ring","text":"Death Rush Emerald Ring","name":"Death Rush","flags":{"unique":true}},{"type":"Jade Amulet","text":"Defiance of Destiny Jade Amulet","name":"Defiance of Destiny","flags":{"unique":true}},{"type":"Lazuli Ring","text":"Doedre's Damning Lazuli Ring","name":"Doedre's Damning","flags":{"unique":true}},{"type":"Sapphire Ring","text":"Dream Fragments Sapphire Ring","name":"Dream Fragments","flags":{"unique":true}},{"type":"Pearl Ring","text":"Evergrasping Ring Pearl Ring","name":"Evergrasping Ring","flags":{"unique":true}},{"type":"Gold Amulet","text":"Eye of Chayula Gold Amulet","name":"Eye of Chayula","flags":{"unique":true}},{"type":"Solar Amulet","text":"Fireflower Solar Amulet","name":"Fireflower","flags":{"unique":true}},{"type":"Stellar Amulet","text":"Fixation of Yix Stellar Amulet","name":"Fixation of Yix","flags":{"unique":true}},{"type":"Prismatic Ring","text":"Gifts from Above Prismatic Ring","name":"Gifts from Above","flags":{"unique":true}},{"type":"Lazuli Ring","text":"Glowswarm Lazuli Ring","name":"Glowswarm","flags":{"unique":true}},{"type":"Plate Belt","text":"Goregirdle Plate Belt","name":"Goregirdle","flags":{"unique":true}},{"type":"Abyssal Signet","text":"Grip of Kulemak Abyssal Signet","name":"Grip of Kulemak","flags":{"unique":true}},{"type":"Heavy Belt","text":"Headhunter Heavy Belt","name":"Headhunter","flags":{"unique":true}},{"type":"Pearl Ring","text":"Heartbound Loop Pearl Ring","name":"Heartbound Loop","flags":{"unique":true}},{"type":"Stellar Amulet","text":"Hinekora's Sight Stellar Amulet","name":"Hinekora's Sight","flags":{"unique":true}},{"type":"Iron Ring","text":"Icefang Orbit Iron Ring","name":"Icefang Orbit","flags":{"unique":true}},{"type":"Crimson Amulet","text":"Idol of Uldurn Crimson Amulet","name":"Idol of Uldurn","flags":{"unique":true}},{"type":"Crimson Amulet","text":"Igniferis Crimson Amulet","name":"Igniferis","flags":{"unique":true}},{"type":"Plate Belt","text":"Infernoclasp Plate Belt","name":"Infernoclasp","flags":{"unique":true}},{"type":"Utility Belt","text":"Ingenuity Utility Belt","name":"Ingenuity","flags":{"unique":true}},{"type":"Ring","text":"Kalandra's Touch Ring","name":"Kalandra's Touch","flags":{"unique":true}},{"type":"Linen Belt","text":"Keelhaul Linen Belt","name":"Keelhaul","flags":{"unique":true}},{"type":"Topaz Ring","text":"Levinstone Topaz Ring","name":"Levinstone","flags":{"unique":true}},{"type":"Lapis Amulet","text":"Ligurium Talisman Lapis Amulet","name":"Ligurium Talisman","flags":{"unique":true}},{"type":"Rawhide Belt","text":"Meginord's Girdle Rawhide Belt","name":"Meginord's Girdle","flags":{"unique":true}},{"type":"Rawhide Belt","text":"Midnight Braid Rawhide Belt","name":"Midnight Braid","flags":{"unique":true}},{"type":"Amethyst Ring","text":"Ming's Heart Amethyst Ring","name":"Ming's Heart","flags":{"unique":true}},{"type":"Amethyst Ring","text":"Original Sin Amethyst Ring","name":"Original Sin","flags":{"unique":true}},{"type":"Gold Ring","text":"Perandus Seal Gold Ring","name":"Perandus Seal","flags":{"unique":true}},{"type":"Sapphire Ring","text":"Polcirkeln Sapphire Ring","name":"Polcirkeln","flags":{"unique":true}},{"type":"Iron Ring","text":"Prized Pain Iron Ring","name":"Prized Pain","flags":{"unique":true}},{"type":"Amber Amulet","text":"Revered Resin Amber Amulet","name":"Revered Resin","flags":{"unique":true}},{"type":"Lunar Amulet","text":"Rondel of Fragility Lunar Amulet","name":"Rondel of Fragility","flags":{"unique":true}},{"type":"Ornate Belt","text":"Ryslatha's Coil Ornate Belt","name":"Ryslatha's Coil","flags":{"unique":true}},{"type":"Lazuli Ring","text":"Seed of Cataclysm Lazuli Ring","name":"Seed of Cataclysm","flags":{"unique":true}},{"type":"Ring","text":"Sekhema's Resolve Ring","name":"Sekhema's Resolve","flags":{"unique":true}},{"type":"Gold Amulet","text":"Serpent's Egg Gold Amulet","name":"Serpent's Egg","flags":{"unique":true}},{"type":"Fine Belt","text":"Shavronne's Satchel Fine Belt","name":"Shavronne's Satchel","flags":{"unique":true}},{"type":"Pearl Ring","text":"Snakepit Pearl Ring","name":"Snakepit","flags":{"unique":true}},{"type":"Long Belt","text":"Soul Tether Long Belt","name":"Soul Tether","flags":{"unique":true}},{"type":"Lapis Amulet","text":"Stone of Lazhwar Lapis Amulet","name":"Stone of Lazhwar","flags":{"unique":true}},{"type":"Stellar Amulet","text":"Strugglescream Stellar Amulet","name":"Strugglescream","flags":{"unique":true}},{"type":"Jade Amulet","text":"Surefooted Sigil Jade Amulet","name":"Surefooted Sigil","flags":{"unique":true}},{"type":"Bloodstone Amulet","text":"The Anvil Bloodstone Amulet","name":"The Anvil","flags":{"unique":true}},{"type":"Topaz Ring","text":"The Burrower Topaz Ring","name":"The Burrower","flags":{"unique":true}},{"type":"Azure Amulet","text":"The Everlasting Gaze Azure Amulet","name":"The Everlasting Gaze","flags":{"unique":true}},{"type":"Wide Belt","text":"The Gnashing Sash Wide Belt","name":"The Gnashing Sash","flags":{"unique":true}},{"type":"Lapis Amulet","text":"The Pandemonius Lapis Amulet","name":"The Pandemonius","flags":{"unique":true}},{"type":"Emerald Ring","text":"Thief's Torment Emerald Ring","name":"Thief's Torment","flags":{"unique":true}},{"type":"Linen Belt","text":"Umbilicus Immortalis Linen Belt","name":"Umbilicus Immortalis","flags":{"unique":true}},{"type":"Azure Amulet","text":"Ungil's Harmony Azure Amulet","name":"Ungil's Harmony","flags":{"unique":true}},{"type":"Iron Ring","text":"Venopuncture Iron Ring","name":"Venopuncture","flags":{"unique":true}},{"type":"Gold Ring","text":"Ventor's Gamble Gold Ring","name":"Ventor's Gamble","flags":{"unique":true}},{"type":"Emerald Ring","text":"Vigilant View Emerald Ring","name":"Vigilant View","flags":{"unique":true}},{"type":"Heavy Belt","text":"Waistgate Heavy Belt","name":"Waistgate","flags":{"unique":true}},{"type":"Sapphire Ring","text":"Whisper of the Brotherhood Sapphire Ring","name":"Whisper of the Brotherhood","flags":{"unique":true}},{"type":"Amber Amulet","text":"Xoph's Blood Amber Amulet","name":"Xoph's Blood","flags":{"unique":true}},{"type":"Bloodstone Amulet","text":"Yoke of Suffering Bloodstone Amulet","name":"Yoke of Suffering","flags":{"unique":true}},{"type":"Heavy Belt","text":"Zerphi's Genesis Heavy Belt","name":"Zerphi's Genesis","flags":{"unique":true}}]},{"id":"armour","label":"Armour","entries":[{"type":"Leather Vest"},{"type":"Smuggler Coat"},{"type":"Corsair Coat"},{"type":"Strider Vest"},{"type":"Armoured Vest"},{"type":"Quilted Vest"},{"type":"Patchwork Vest"},{"type":"Pathfinder Coat"},{"type":"Hunting Coat"},{"type":"Swiftstalker Coat"},{"type":"Shrouded Vest"},{"type":"Rhoahide Coat"},{"type":"Riding Coat"},{"type":"Studded Vest"},{"type":"Layered Vest"},{"type":"Slipstrike Vest"},{"type":"Scout's Vest"},{"type":"Runner Vest"},{"type":"Serpentscale Coat"},{"type":"Lizardscale Coat"},{"type":"Wyrmscale Coat"},{"type":"Corsair Vest"},{"type":"Hermit Garb"},{"type":"Assassin Garb"},{"type":"Ascetic Garb"},{"type":"Waxed Jacket"},{"type":"Oiled Jacket"},{"type":"Sleek Jacket"},{"type":"Marabout Garb"},{"type":"Evangelist Garb"},{"type":"Wayfarer Jacket"},{"type":"Itinerant Jacket"},{"type":"Rambler Jacket"},{"type":"Anchorite Garb"},{"type":"Hatungo Garb"},{"type":"Scalper's Jacket"},{"type":"Hawker's Jacket"},{"type":"Falconer's Jacket"},{"type":"Scoundrel Jacket"},{"type":"Austere Garb"},{"type":"Tattered Robe"},{"type":"Mystic Raiment"},{"type":"Feathered Raiment"},{"type":"Plated Raiment"},{"type":"Havoc Raiment"},{"type":"Enlightened Robe"},{"type":"Feathered Robe"},{"type":"Avian Robe"},{"type":"Hexer's Robe"},{"type":"Cursespeaker's Robe"},{"type":"Vile Robe"},{"type":"Bone Raiment"},{"type":"Silk Robe"},{"type":"Luxurious Robe"},{"type":"Keth Raiment"},{"type":"River Raiment"},{"type":"Flowing Raiment"},{"type":"Votive Raiment"},{"type":"Adherent's Raiment"},{"type":"Altar Robe"},{"type":"Ceremonial Robe"},{"type":"Sacramental Robe"},{"type":"Elementalist Robe"},{"type":"Rusted Cuirass"},{"type":"Chieftain Cuirass"},{"type":"Warlord Cuirass"},{"type":"Champion Cuirass"},{"type":"Conqueror Plate"},{"type":"Fur Plate"},{"type":"Barbarian Plate"},{"type":"Iron Cuirass"},{"type":"Rugged Cuirass"},{"type":"Soldier Cuirass"},{"type":"Raider Plate"},{"type":"Maraketh Cuirass"},{"type":"Sandsworn Cuirass"},{"type":"Steel Plate"},{"type":"Elegant Plate"},{"type":"Ornate Plate"},{"type":"Full Plate"},{"type":"Heavy Plate"},{"type":"Vaal Cuirass"},{"type":"Stone Cuirass"},{"type":"Utzaal Cuirass"},{"type":"Juggernaut Plate"},{"type":"Chain Mail"},{"type":"Heroic Armour"},{"type":"Ring Mail"},{"type":"Rogue Armour"},{"type":"Scoundrel Armour"},{"type":"Dastard Armour"},{"type":"Vagabond Armour"},{"type":"Wanderer Armour"},{"type":"Cloaked Mail"},{"type":"Shrouded Mail"},{"type":"Mantled Mail"},{"type":"Explorer Armour"},{"type":"Trailblazer Armour"},{"type":"Scale Mail"},{"type":"Golden Mail"},{"type":"Death Mail"},{"type":"Knight Armour"},{"type":"Ancestral Mail"},{"type":"Thane Mail"},{"type":"Lamellar Mail"},{"type":"Grand Regalia"},{"type":"Sacrificial Regalia"},{"type":"Garment"},{"type":"Pilgrim Vestments"},{"type":"Corvus Mantle"},{"type":"Templar Vestments"},{"type":"Pelt Mantle"},{"type":"Bearskin Mantle"},{"type":"Wolfskin Mantle"},{"type":"Mail Vestments"},{"type":"Chain Vestments"},{"type":"Shaman Mantle"},{"type":"Occultist Mantle"},{"type":"Conjurer Mantle"},{"type":"Ironclad Vestments"},{"type":"Plated Vestments"},{"type":"Sacrificial Mantle"},{"type":"Heartcarver Mantle"},{"type":"Death Mantle"},{"type":"Cleric Vestments"},{"type":"Tideseer Mantle"},{"type":"Seastorm Mantle"},{"type":"Gilded Vestments"},{"type":"Rawhide Boots"},{"type":"Laced Boots"},{"type":"Bound Boots"},{"type":"Cinched Boots"},{"type":"Embossed Boots"},{"type":"Sleek Boots"},{"type":"Steeltoe Boots"},{"type":"Studded Boots"},{"type":"Cavalry Boots"},{"type":"Lizardscale Boots"},{"type":"Serpentscale Boots"},{"type":"Dragonscale Boots"},{"type":"Flared Boots"},{"type":"Drakeskin Boots"},{"type":"Frayed Shoes"},{"type":"Wayfarer Shoes"},{"type":"Wanderer Shoes"},{"type":"Threaded Shoes"},{"type":"Silverbuckled Shoes"},{"type":"Charmed Shoes"},{"type":"Hunting Shoes"},{"type":"Treerunner Shoes"},{"type":"Quickslip Shoes"},{"type":"Steelpoint Shoes"},{"type":"Daggerfoot Shoes"},{"type":"Velour Shoes"},{"type":"Straw Sandals"},{"type":"Wrapped Sandals"},{"type":"Laced Sandals"},{"type":"Bound Sandals"},{"type":"Lattice Sandals"},{"type":"Bangled Sandals"},{"type":"Silk Slippers"},{"type":"Elegant Slippers"},{"type":"Luxurious Slippers"},{"type":"Feathered Sandals"},{"type":"Dunerunner Sandals"},{"type":"Sandsworn Sandals"},{"type":"Flax Sandals"},{"type":"Sekhema Sandals"},{"type":"Rough Greaves"},{"type":"Iron Greaves"},{"type":"Plated Greaves"},{"type":"Bulwark Greaves"},{"type":"Bronze Greaves"},{"type":"Lionheart Greaves"},{"type":"Trimmed Greaves"},{"type":"Elegant Greaves"},{"type":"Ornate Greaves"},{"type":"Stone Greaves"},{"type":"Carved Greaves"},{"type":"Vaal Greaves"},{"type":"Reefsteel Greaves"},{"type":"Tasalian Greaves"},{"type":"Mail Sabatons"},{"type":"Soldiering Sabatons"},{"type":"Veteran Sabatons"},{"type":"Braced Sabatons"},{"type":"Goldwork Sabatons"},{"type":"Noble Sabatons"},{"type":"Stacked Sabatons"},{"type":"Bastion Sabatons"},{"type":"Fortress Sabatons"},{"type":"Covered Sabatons"},{"type":"Blacksteel Sabatons"},{"type":"Grand Cuisses"},{"type":"Padded Leggings"},{"type":"Adherent Leggings"},{"type":"Faithful Leggings"},{"type":"Secured Leggings"},{"type":"Bound Leggings"},{"type":"Apostle Leggings"},{"type":"Pelt Leggings"},{"type":"Shamanistic Leggings"},{"type":"Warlock Leggings"},{"type":"Weaver Leggings"},{"type":"Cryptic Leggings"},{"type":"Twig Focus"},{"type":"Whorl Focus"},{"type":"Tasalian Focus"},{"type":"Woven Focus"},{"type":"Wreath Focus"},{"type":"Antler Focus"},{"type":"Staghorn Focus"},{"type":"Druidic Focus"},{"type":"Engraved Focus"},{"type":"Tonal Focus"},{"type":"Jingling Focus"},{"type":"Crystal Focus"},{"type":"Arrayed Focus"},{"type":"Leyline Focus"},{"type":"Voodoo Focus"},{"type":"Cultist Focus"},{"type":"Plumed Focus"},{"type":"Hallowed Focus"},{"type":"Sacred Focus"},{"type":"Runed Focus"},{"type":"Suede Bracers"},{"type":"Firm Bracers"},{"type":"Hunting Bracers"},{"type":"Stalking Bracers"},{"type":"Bound Bracers"},{"type":"Swift Bracers"},{"type":"Sectioned Bracers"},{"type":"Refined Bracers"},{"type":"Grand Bracers"},{"type":"Spined Bracers"},{"type":"Spiked Bracers"},{"type":"Barbed Bracers"},{"type":"Fine Bracers"},{"type":"Polished Bracers"},{"type":"Gauze Wraps"},{"type":"Bandage Wraps"},{"type":"War Wraps"},{"type":"Linen Wraps"},{"type":"Cambric Wraps"},{"type":"Elegant Wraps"},{"type":"Spiral Wraps"},{"type":"Adorned Wraps"},{"type":"Vaal Wraps"},{"type":"Buckled Wraps"},{"type":"Secured Wraps"},{"type":"Furtive Wraps"},{"type":"Utility Wraps"},{"type":"Torn Gloves"},{"type":"Sombre Gloves"},{"type":"Ominous Gloves"},{"type":"Grim Gloves"},{"type":"Stitched Gloves"},{"type":"Embellished Gloves"},{"type":"Jewelled Gloves"},{"type":"Baroque Gloves"},{"type":"Opulent Gloves"},{"type":"Intricate Gloves"},{"type":"Gold Gloves"},{"type":"Vaal Gloves"},{"type":"Pauascale Gloves"},{"type":"Sirenscale Gloves"},{"type":"Embroidered Gloves"},{"type":"Stocky Mitts"},{"type":"Riveted Mitts"},{"type":"Plated Mitts"},{"type":"Knightly Mitts"},{"type":"Tempered Mitts"},{"type":"Elegant Mitts"},{"type":"Bolstered Mitts"},{"type":"Ancient Mitts"},{"type":"Ornate Mitts"},{"type":"Moulded Mitts"},{"type":"Feathered Mitts"},{"type":"Vaal Mitts"},{"type":"Detailed Mitts"},{"type":"Massive Mitts"},{"type":"Titan Mitts"},{"type":"Ringmail Gauntlets"},{"type":"Ironmail Gauntlets"},{"type":"Steelmail Gauntlets"},{"type":"Layered Gauntlets"},{"type":"Captain Gauntlets"},{"type":"Commander Gauntlets"},{"type":"Doubled Gauntlets"},{"type":"Zealot Gauntlets"},{"type":"Cultist Gauntlets"},{"type":"Plate Gauntlets"},{"type":"Blacksteel Gauntlets"},{"type":"Burnished Gauntlets"},{"type":"Ornate Gauntlets"},{"type":"Grand Manchettes"},{"type":"Rope Cuffs"},{"type":"Braided Cuffs"},{"type":"Bound Cuffs"},{"type":"Aged Cuffs"},{"type":"Heirloom Cuffs"},{"type":"Ancient Cuffs"},{"type":"Goldcast Cuffs"},{"type":"Ornate Cuffs"},{"type":"Gleaming Cuffs"},{"type":"Verisium Cuffs"},{"type":"Adherent Cuffs"},{"type":"Golden Visage"},{"type":"Shabby Hood"},{"type":"Covert Hood"},{"type":"Armoured Cap"},{"type":"Rotted Hood"},{"type":"Felt Cap"},{"type":"Wool Cap"},{"type":"Woven Cap"},{"type":"Lace Hood"},{"type":"Narrow Hood"},{"type":"Swathed Cap"},{"type":"Wrapped Cap"},{"type":"Desert Cap"},{"type":"Hunter Hood"},{"type":"Deerstalker Hood"},{"type":"Trapper Hood"},{"type":"Viper Cap"},{"type":"Corsair Cap"},{"type":"Freebooter Cap"},{"type":"Leatherbound Hood"},{"type":"Velvet Cap"},{"type":"Hewn Mask"},{"type":"Oak Mask"},{"type":"Face Mask"},{"type":"Bandit Mask"},{"type":"Brigand Mask"},{"type":"Hooded Mask"},{"type":"Skulking Mask"},{"type":"Veiled Mask"},{"type":"Pariah Mask"},{"type":"Faridun Mask"},{"type":"Tribal Mask"},{"type":"Avian Mask"},{"type":"Soaring Mask"},{"type":"Solid Mask"},{"type":"Grinning Mask"},{"type":"Death Mask"},{"type":"Twig Circlet"},{"type":"Magus Tiara"},{"type":"Druidic Circlet"},{"type":"Wicker Tiara"},{"type":"Avian Tiara"},{"type":"Skycrown Tiara"},{"type":"Beaded Circlet"},{"type":"Desert Circlet"},{"type":"Chain Tiara"},{"type":"Sandsworn Tiara"},{"type":"Sorcerous Tiara"},{"type":"Feathered Tiara"},{"type":"Jungle Tiara"},{"type":"Kamasan Tiara"},{"type":"Gold Circlet"},{"type":"Vermeil Circlet"},{"type":"Jade Tiara"},{"type":"Ancestral Tiara"},{"type":"Rusted Greathelm"},{"type":"Corroded Greathelm"},{"type":"Soldier Greathelm"},{"type":"Mercenary Greathelm"},{"type":"Warmonger Greathelm"},{"type":"Wrapped Greathelm"},{"type":"Homeguard Greathelm"},{"type":"Spired Greathelm"},{"type":"Elegant Greathelm"},{"type":"Masked Greathelm"},{"type":"Elite Greathelm"},{"type":"Noble Greathelm"},{"type":"Paragon Greathelm"},{"type":"Warrior Greathelm"},{"type":"Commander Greathelm"},{"type":"Imperial Greathelm"},{"type":"Fierce Greathelm"},{"type":"Brimmed Helm"},{"type":"Domed Helm"},{"type":"Guarded Helm"},{"type":"Engraved Helm"},{"type":"Warded Helm"},{"type":"Visored Helm"},{"type":"Soldier Helm"},{"type":"Cowled Helm"},{"type":"Cabalist Helm"},{"type":"Cryptic Helm"},{"type":"Shielded Helm"},{"type":"Gladiatoral Helm"},{"type":"Champion Helm"},{"type":"Closed Helm"},{"type":"Gladiatorial Helm"},{"type":"Decorated Helm"},{"type":"Grand Visage"},{"type":"Iron Crown"},{"type":"Mailed Crown"},{"type":"Horned Crown"},{"type":"Forest Crown"},{"type":"Druidic Crown"},{"type":"Cultist Crown"},{"type":"Zealot Crown"},{"type":"Martyr Crown"},{"type":"Hallowed Crown"},{"type":"Saintly Crown"},{"type":"Heavy Crown"},{"type":"Inquisitor Crown"},{"type":"Divine Crown"},{"type":"Spiritbone Crown"},{"type":"Cryptic Crown"},{"type":"Leather Buckler"},{"type":"Pearl Buckler"},{"type":"Ornate Buckler"},{"type":"Array Buckler"},{"type":"Wooden Buckler"},{"type":"Oak Buckler"},{"type":"Plated Buckler"},{"type":"Painted Buckler"},{"type":"Iron Buckler"},{"type":"Ridged Buckler"},{"type":"Coiled Buckler"},{"type":"Spiked Buckler"},{"type":"Spikeward Buckler"},{"type":"Gutspike Buckler"},{"type":"Ringed Buckler"},{"type":"Jingling Buckler"},{"type":"Edged Buckler"},{"type":"Bladeguard Buckler"},{"type":"Ancient Buckler"},{"type":"Laminate Buckler"},{"type":"Desert Buckler"},{"type":"Splintered Tower Shield"},{"type":"Ancestor Tower Shield"},{"type":"Tawhoan Tower Shield"},{"type":"Blacksteel Tower Shield"},{"type":"Painted Tower Shield"},{"type":"Aged Tower Shield"},{"type":"Braced Tower Shield"},{"type":"Metalworked Tower Shield"},{"type":"Royal Tower Shield"},{"type":"Barricade Tower Shield"},{"type":"Effigial Tower Shield"},{"type":"Cultist Tower Shield"},{"type":"Rampart Tower Shield"},{"type":"Bulwark Tower Shield"},{"type":"Fortress Tower Shield"},{"type":"Heraldric Tower Shield"},{"type":"Noble Tower Shield"},{"type":"Stone Tower Shield"},{"type":"Goldworked Tower Shield"},{"type":"Vaal Tower Shield"},{"type":"Crucible Tower Shield"},{"type":"Hardwood Targe"},{"type":"Golden Targe"},{"type":"Ironwood Targe"},{"type":"Pelage Targe"},{"type":"Fur-lined Targe"},{"type":"Mammoth Targe"},{"type":"Studded Targe"},{"type":"Mercenary Targe"},{"type":"Crescent Targe"},{"type":"Polished Targe"},{"type":"Baroque Targe"},{"type":"Chiseled Targe"},{"type":"Stone Targe"},{"type":"Feathered Targe"},{"type":"Avian Targe"},{"type":"Soaring Targe"},{"type":"Stratified Targe"},{"type":"Carved Targe"},{"type":"Blazon Crest Shield"},{"type":"Painted Crest Shield"},{"type":"Sigil Crest Shield"},{"type":"Engraved Crest Shield"},{"type":"Intricate Crest Shield"},{"type":"Emblem Crest Shield"},{"type":"Descry Crest Shield"},{"type":"Jingling Crest Shield"},{"type":"Dekharan Crest Shield"},{"type":"Sekheman Crest Shield"},{"type":"Sectarian Crest Shield"},{"type":"Quartered Crest Shield"},{"type":"Omen Crest Shield"},{"type":"Glowering Crest Shield"},{"type":"Vaal Crest Shield"},{"type":"Wayward Crest Shield"},{"type":"Blacksteel Crest Shield"},{"type":"Seer Crest Shield"},{"type":"Broadhead Quiver"},{"type":"Volant Quiver"},{"type":"Visceral Quiver"},{"type":"Fire Quiver"},{"type":"Sacral Quiver"},{"type":"Two-Point Quiver"},{"type":"Blunt Quiver"},{"type":"Toxic Quiver"},{"type":"Serrated Quiver"},{"type":"Primed Quiver"},{"type":"Penetrating Quiver"},{"type":"Grand Cuisses","text":"Ab Aeterno Grand Cuisses","name":"Ab Aeterno","flags":{"unique":true}},{"type":"Burnished Gauntlets","text":"Aerisvane's Wings Burnished Gauntlets","name":"Aerisvane's Wings","flags":{"unique":true}},{"type":"Blazon Crest Shield","text":"Alkem Eira Blazon Crest Shield","name":"Alkem Eira","flags":{"unique":true}},{"type":"Armoured Cap","text":"Alpha's Howl Armoured Cap","name":"Alpha's Howl","flags":{"unique":true}},{"type":"Voodoo Focus","text":"Apep's Supremacy Voodoo Focus","name":"Apep's Supremacy","flags":{"unique":true}},{"type":"Hermit Garb","text":"Apron of Emiran Hermit Garb","name":"Apron of Emiran","flags":{"unique":true}},{"type":"Hardwood Targe","text":"Arvil's Wheel Hardwood Targe","name":"Arvil's Wheel","flags":{"unique":true}},{"type":"Pathfinder Coat","text":"Ashrend Pathfinder Coat","name":"Ashrend","flags":{"unique":true}},{"type":"Broadhead Quiver","text":"Asphyxia's Wrath Broadhead Quiver","name":"Asphyxia's Wrath","flags":{"unique":true}},{"type":"Closed Helm","text":"Assailum Closed Helm","name":"Assailum","flags":{"unique":true}},{"type":"Veiled Mask","text":"Atsak's Sight Veiled Mask","name":"Atsak's Sight","flags":{"unique":true}},{"type":"Moulded Mitts","text":"Atziri's Acuity Moulded Mitts","name":"Atziri's Acuity","flags":{"unique":true}},{"type":"Gold Circlet","text":"Atziri's Disdain Gold Circlet","name":"Atziri's Disdain","flags":{"unique":true}},{"type":"Sacrificial Regalia","text":"Atziri's Splendour Sacrificial Regalia","name":"Atziri's Splendour","flags":{"unique":true}},{"type":"Cinched Boots","text":"Atziri's Step Cinched Boots","name":"Atziri's Step","flags":{"unique":true}},{"type":"Layered Gauntlets","text":"Aurseize Layered Gauntlets","name":"Aurseize","flags":{"unique":true}},{"type":"Velour Shoes","text":"Beetlebite Velour Shoes","name":"Beetlebite","flags":{"unique":true}},{"type":"Explorer Armour","text":"Belly of the Beast Explorer Armour","name":"Belly of the Beast","flags":{"unique":true}},{"type":"Visceral Quiver","text":"Beyond Reach Visceral Quiver","name":"Beyond Reach","flags":{"unique":true}},{"type":"Stone Greaves","text":"Birth of Fury Stone Greaves","name":"Birth of Fury","flags":{"unique":true}},{"type":"Feathered Robe","text":"Bitterbloom Feathered Robe","name":"Bitterbloom","flags":{"unique":true}},{"type":"Fur Plate","text":"Blackbraid Fur Plate","name":"Blackbraid","flags":{"unique":true}},{"type":"Fire Quiver","text":"Blackgleam Fire Quiver","name":"Blackgleam","flags":{"unique":true}},{"type":"Wrapped Greathelm","text":"Black Sun Crest Wrapped Greathelm","name":"Black Sun Crest","flags":{"unique":true}},{"type":"Linen Wraps","text":"Blessed Bonds Linen Wraps","name":"Blessed Bonds","flags":{"unique":true}},{"type":"Iron Buckler","text":"Bloodbarrier Iron Buckler","name":"Bloodbarrier","flags":{"unique":true}},{"type":"Fierce Greathelm","text":"Blood Price Fierce Greathelm","name":"Blood Price","flags":{"unique":true}},{"type":"Goldcast Cuffs","text":"Blueflame Bracers Goldcast Cuffs","name":"Blueflame Bracers","flags":{"unique":true}},{"type":"Lattice Sandals","text":"Bones of Ullr Lattice Sandals","name":"Bones of Ullr","flags":{"unique":true}},{"type":"Rusted Cuirass","text":"Bramblejack Rusted Cuirass","name":"Bramblejack","flags":{"unique":true}},{"type":"Laced Boots","text":"Briarpatch Laced Boots","name":"Briarpatch","flags":{"unique":true}},{"type":"Rhoahide Coat","text":"Briskwrap Rhoahide Coat","name":"Briskwrap","flags":{"unique":true}},{"type":"Leather Vest","text":"Bristleboar Leather Vest","name":"Bristleboar","flags":{"unique":true}},{"type":"Horned Crown","text":"Bronzebeard Horned Crown","name":"Bronzebeard","flags":{"unique":true}},{"type":"Lizardscale Boots","text":"Bushwhack Lizardscale Boots","name":"Bushwhack","flags":{"unique":true}},{"type":"Primed Quiver","text":"Cadiro's Gambit Primed Quiver","name":"Cadiro's Gambit","flags":{"unique":true}},{"type":"Ornate Buckler","text":"Calgyra's Arc Ornate Buckler","name":"Calgyra's Arc","flags":{"unique":true}},{"type":"Sombre Gloves","text":"Candlemaker Sombre Gloves","name":"Candlemaker","flags":{"unique":true}},{"type":"Engraved Focus","text":"Carrion Call Engraved Focus","name":"Carrion Call","flags":{"unique":true}},{"type":"Blacksteel Tower Shield","text":"Chernobog's Pillar Blacksteel Tower Shield","name":"Chernobog's Pillar","flags":{"unique":true}},{"type":"Havoc Raiment","text":"Cloak of Defiance Havoc Raiment","name":"Cloak of Defiance","flags":{"unique":true}},{"type":"Silk Robe","text":"Cloak of Flame Silk Robe","name":"Cloak of Flame","flags":{"unique":true}},{"type":"Chain Mail","text":"Coat of Red Chain Mail","name":"Coat of Red","flags":{"unique":true}},{"type":"Viper Cap","text":"Constricting Command Viper Cap","name":"Constricting Command","flags":{"unique":true}},{"type":"Heavy Crown","text":"Cornathaum Heavy Crown","name":"Cornathaum","flags":{"unique":true}},{"type":"Warrior Greathelm","text":"Corona of the Red Sun Warrior Greathelm","name":"Corona of the Red Sun","flags":{"unique":true}},{"type":"Iron Greaves","text":"Corpsewade Iron Greaves","name":"Corpsewade","flags":{"unique":true}},{"type":"Assassin Garb","text":"Cospri's Will Assassin Garb","name":"Cospri's Will","flags":{"unique":true}},{"type":"Gilded Vestments","text":"Couture of Crimson Gilded Vestments","name":"Couture of Crimson","flags":{"unique":true}},{"type":"Jingling Crest Shield","text":"Crest of Ardura Jingling Crest Shield","name":"Crest of Ardura","flags":{"unique":true}},{"type":"Vermeil Circlet","text":"Crown of Eyes Vermeil Circlet","name":"Crown of Eyes","flags":{"unique":true}},{"type":"Cultist Crown","text":"Crown of the Pale King Cultist Crown","name":"Crown of the Pale King","flags":{"unique":true}},{"type":"Iron Crown","text":"Crown of the Victor Iron Crown","name":"Crown of the Victor","flags":{"unique":true}},{"type":"Twig Circlet","text":"Crown of Thorns Twig Circlet","name":"Crown of Thorns","flags":{"unique":true}},{"type":"Braced Sabatons","text":"Darkray Vectors Braced Sabatons","name":"Darkray Vectors","flags":{"unique":true}},{"type":"Ornate Gauntlets","text":"Death Articulated Ornate Gauntlets","name":"Death Articulated","flags":{"unique":true}},{"type":"Doubled Gauntlets","text":"Deathblow Doubled Gauntlets","name":"Deathblow","flags":{"unique":true}},{"type":"Twig Focus","text":"Deathrattle Twig Focus","name":"Deathrattle","flags":{"unique":true}},{"type":"Elite Greathelm","text":"Deidbell Elite Greathelm","name":"Deidbell","flags":{"unique":true}},{"type":"Golden Visage","text":"Demigod's Virtue Golden Visage","name":"Demigod's Virtue","flags":{"unique":true}},{"type":"Intricate Gloves","text":"Demon Stitcher Intricate Gloves","name":"Demon Stitcher","flags":{"unique":true}},{"type":"Splintered Tower Shield","text":"Dionadair Splintered Tower Shield","name":"Dionadair","flags":{"unique":true}},{"type":"Stitched Gloves","text":"Doedre's Tenure Stitched Gloves","name":"Doedre's Tenure","flags":{"unique":true}},{"type":"Braced Tower Shield","text":"Doomgate Braced Tower Shield","name":"Doomgate","flags":{"unique":true}},{"type":"Scale Mail","text":"Doryani's Prototype Scale Mail","name":"Doryani's Prototype","flags":{"unique":true}},{"type":"Bolstered Mitts","text":"Dreadfist Bolstered Mitts","name":"Dreadfist","flags":{"unique":true}},{"type":"Penetrating Quiver","text":"Drillneck Penetrating Quiver","name":"Drillneck","flags":{"unique":true}},{"type":"Leather Buckler","text":"Dunkelhalt Leather Buckler","name":"Dunkelhalt","flags":{"unique":true}},{"type":"Studded Vest","text":"Dustbloom Studded Vest","name":"Dustbloom","flags":{"unique":true}},{"type":"Iron Cuirass","text":"Edyrn's Tusks Iron Cuirass","name":"Edyrn's Tusks","flags":{"unique":true}},{"type":"Antler Focus","text":"Effigy of Cruelty Antler Focus","name":"Effigy of Cruelty","flags":{"unique":true}},{"type":"Hunter Hood","text":"Elevore Hunter Hood","name":"Elevore","flags":{"unique":true}},{"type":"Titan Mitts","text":"Empire's Grasp Titan Mitts","name":"Empire's Grasp","flags":{"unique":true}},{"type":"Pilgrim Vestments","text":"Enfolding Dawn Pilgrim Vestments","name":"Enfolding Dawn","flags":{"unique":true}},{"type":"Guarded Helm","text":"Erian's Cobble Guarded Helm","name":"Erian's Cobble","flags":{"unique":true}},{"type":"Furtive Wraps","text":"Essentia Sanguis Furtive Wraps","name":"Essentia Sanguis","flags":{"unique":true}},{"type":"Soldier Greathelm","text":"Ezomyte Peak Soldier Greathelm","name":"Ezomyte Peak","flags":{"unique":true}},{"type":"Crescent Targe","text":"Feathered Fortress Crescent Targe","name":"Feathered Fortress","flags":{"unique":true}},{"type":"Chain Tiara","text":"Forbidden Gaze Chain Tiara","name":"Forbidden Gaze","flags":{"unique":true}},{"type":"Quilted Vest","text":"Foxshade Quilted Vest","name":"Foxshade","flags":{"unique":true}},{"type":"Embossed Boots","text":"Gamblesprint Embossed Boots","name":"Gamblesprint","flags":{"unique":true}},{"type":"Threaded Shoes","text":"Ghostmarch Threaded Shoes","name":"Ghostmarch","flags":{"unique":true}},{"type":"Tattered Robe","text":"Ghostwrithe Tattered Robe","name":"Ghostwrithe","flags":{"unique":true}},{"type":"Tribal Mask","text":"Glimpse of Chaos Tribal Mask","name":"Glimpse of Chaos","flags":{"unique":true}},{"type":"Elementalist Robe","text":"Gloamgown Elementalist Robe","name":"Gloamgown","flags":{"unique":true}},{"type":"Waxed Jacket","text":"Gloomform Waxed Jacket","name":"Gloomform","flags":{"unique":true}},{"type":"Felt Cap","text":"Goldrim Felt Cap","name":"Goldrim","flags":{"unique":true}},{"type":"Rope Cuffs","text":"Gravebind Rope Cuffs","name":"Gravebind","flags":{"unique":true}},{"type":"Vaal Cuirass","text":"Greed's Embrace Vaal Cuirass","name":"Greed's Embrace","flags":{"unique":true}},{"type":"Brimmed Helm","text":"Greymake Brimmed Helm","name":"Greymake","flags":{"unique":true}},{"type":"Firm Bracers","text":"Grip of Winter Firm Bracers","name":"Grip of Winter","flags":{"unique":true}},{"type":"Spiral Wraps","text":"Hand of Wisdom and Action Spiral Wraps","name":"Hand of Wisdom and Action","flags":{"unique":true}},{"type":"Furtive Wraps","text":"Hand of Wisdom and Action Furtive Wraps (Legacy)","name":"Hand of Wisdom and Action","disc":"legacy","flags":{"unique":true}},{"type":"Moulded Mitts","text":"Hateforge Moulded Mitts","name":"Hateforge","flags":{"unique":true}},{"type":"Velvet Cap","text":"Heatshiver Velvet Cap","name":"Heatshiver","flags":{"unique":true}},{"type":"Rusted Greathelm","text":"Horns of Bynden Rusted Greathelm","name":"Horns of Bynden","flags":{"unique":true}},{"type":"Shaman Mantle","text":"Husk of Dreams Shaman Mantle","name":"Husk of Dreams","flags":{"unique":true}},{"type":"Armoured Vest","text":"Hyrri's Ire Armoured Vest","name":"Hyrri's Ire","flags":{"unique":true}},{"type":"Mail Vestments","text":"Icetomb Mail Vestments","name":"Icetomb","flags":{"unique":true}},{"type":"Sectioned Bracers","text":"Idle Hands Sectioned Bracers","name":"Idle Hands","flags":{"unique":true}},{"type":"Magus Tiara","text":"Indigon Magus Tiara","name":"Indigon","flags":{"unique":true}},{"type":"Shabby Hood","text":"Innsmouth Shabby Hood","name":"Innsmouth","flags":{"unique":true}},{"type":"Vagabond Armour","text":"Irongrasp Vagabond Armour","name":"Irongrasp","flags":{"unique":true}},{"type":"Visored Helm","text":"Ironride Visored Helm","name":"Ironride","flags":{"unique":true}},{"type":"Ringmail Gauntlets","text":"Jarngreipr Ringmail Gauntlets","name":"Jarngreipr","flags":{"unique":true}},{"type":"Ridged Buckler","text":"Kaltenhalt Ridged Buckler","name":"Kaltenhalt","flags":{"unique":true}},{"type":"Conqueror Plate","text":"Kaom's Heart Conqueror Plate","name":"Kaom's Heart","flags":{"unique":true}},{"type":"Spiritbone Crown","text":"Keeper of the Arc Spiritbone Crown","name":"Keeper of the Arc","flags":{"unique":true}},{"type":"Linen Wraps","text":"Killjoy Linen Wraps","name":"Killjoy","flags":{"unique":true}},{"type":"Full Plate","text":"Kingsguard Full Plate","name":"Kingsguard","flags":{"unique":true}},{"type":"Jewelled Gloves","text":"Kitoko's Current Jewelled Gloves","name":"Kitoko's Current","flags":{"unique":true}},{"type":"Hooded Mask","text":"Leer Cast Hooded Mask","name":"Leer Cast","flags":{"unique":true}},{"type":"Rough Greaves","text":"Legionstride Rough Greaves","name":"Legionstride","flags":{"unique":true}},{"type":"Embroidered Gloves","text":"Leopold's Applause Embroidered Gloves","name":"Leopold's Applause","flags":{"unique":true}},{"type":"Ancestral Mail","text":"Lightning Coil Ancestral Mail","name":"Lightning Coil","flags":{"unique":true}},{"type":"Tempered Mitts","text":"Lochtonial Caress Tempered Mitts","name":"Lochtonial Caress","flags":{"unique":true}},{"type":"Straw Sandals","text":"Luminous Pace Straw Sandals","name":"Luminous Pace","flags":{"unique":true}},{"type":"Rampart Tower Shield","text":"Lycosidae Rampart Tower Shield","name":"Lycosidae","flags":{"unique":true}},{"type":"Omen Crest Shield","text":"Mahuxotl's Machination Omen Crest Shield","name":"Mahuxotl's Machination","flags":{"unique":true}},{"type":"Fine Bracers","text":"Maligaro's Virtuosity Fine Bracers","name":"Maligaro's Virtuosity","flags":{"unique":true}},{"type":"Face Mask","text":"Mask of the Sanguimancer Face Mask","name":"Mask of the Sanguimancer","flags":{"unique":true}},{"type":"Feathered Tiara","text":"Mask of the Stitched Demon Feathered Tiara","name":"Mask of the Stitched Demon","flags":{"unique":true}},{"type":"Pelage Targe","text":"Merit of Service Pelage Targe","name":"Merit of Service","flags":{"unique":true}},{"type":"Death Mask","text":"Mind of the Council Death Mask","name":"Mind of the Council","flags":{"unique":true}},{"type":"Grand Regalia","text":"Morior Invictus Grand Regalia","name":"Morior Invictus","flags":{"unique":true}},{"type":"Toxic Quiver","text":"Murkshaft Toxic Quiver","name":"Murkshaft","flags":{"unique":true}},{"type":"Covert Hood","text":"Myris Uxor Covert Hood","name":"Myris Uxor","flags":{"unique":true}},{"type":"Bone Raiment","text":"Necromantle Bone Raiment","name":"Necromantle","flags":{"unique":true}},{"type":"Pauascale Gloves","text":"Nightscale Pauascale Gloves","name":"Nightscale","flags":{"unique":true}},{"type":"Wooden Buckler","text":"Nocturne Wooden Buckler","name":"Nocturne","flags":{"unique":true}},{"type":"Suede Bracers","text":"Northpaw Suede Bracers","name":"Northpaw","flags":{"unique":true}},{"type":"Sigil Crest Shield","text":"Oaksworn Sigil Crest Shield","name":"Oaksworn","flags":{"unique":true}},{"type":"Stacked Sabatons","text":"Obern's Bastion Stacked Sabatons","name":"Obern's Bastion","flags":{"unique":true}},{"type":"Torn Gloves","text":"Painter's Servant Torn Gloves","name":"Painter's Servant","flags":{"unique":true}},{"type":"Cloaked Mail","text":"Pariah's Embrace Cloaked Mail","name":"Pariah's Embrace","flags":{"unique":true}},{"type":"Knight Armour","text":"Perfidy Knight Armour","name":"Perfidy","flags":{"unique":true}},{"type":"Gauze Wraps","text":"Plaguefinger Gauze Wraps","name":"Plaguefinger","flags":{"unique":true}},{"type":"Hunting Shoes","text":"Powertread Hunting Shoes","name":"Powertread","flags":{"unique":true}},{"type":"Explorer Armour","text":"Pragmatism Explorer Armour","name":"Pragmatism","flags":{"unique":true}},{"type":"Keth Raiment","text":"Prayers for Rain Keth Raiment","name":"Prayers for Rain","flags":{"unique":true}},{"type":"Intricate Crest Shield","text":"Prism Guardian Intricate Crest Shield","name":"Prism Guardian","flags":{"unique":true}},{"type":"Serpentscale Coat","text":"Quatl's Molt Serpentscale Coat","name":"Quatl's Molt","flags":{"unique":true}},{"type":"Smuggler Coat","text":"Queen of the Forest Smuggler Coat","name":"Queen of the Forest","flags":{"unique":true}},{"type":"Lace Hood","text":"Radiant Grief Lace Hood","name":"Radiant Grief","flags":{"unique":true}},{"type":"Sacred Focus","text":"Rathpith Globe Sacred Focus","name":"Rathpith Globe","flags":{"unique":true}},{"type":"Blunt Quiver","text":"Rearguard Blunt Quiver","name":"Rearguard","flags":{"unique":true}},{"type":"Heraldric Tower Shield","text":"Redblade Banner Heraldric Tower Shield","name":"Redblade Banner","flags":{"unique":true}},{"type":"Anchorite Garb","text":"Redflare Conduit Anchorite Garb","name":"Redflare Conduit","flags":{"unique":true}},{"type":"Omen Crest Shield","text":"Rise of the Phoenix Omen Crest Shield","name":"Rise of the Phoenix","flags":{"unique":true}},{"type":"Plated Buckler","text":"Rondel de Ezo Plated Buckler","name":"Rondel de Ezo","flags":{"unique":true}},{"type":"Corvus Mantle","text":"Sacrosanctum Corvus Mantle","name":"Sacrosanctum","flags":{"unique":true}},{"type":"Emblem Crest Shield","text":"Saffell's Frame Emblem Crest Shield","name":"Saffell's Frame","flags":{"unique":true}},{"type":"Shrouded Vest","text":"Sands of Silk Shrouded Vest","name":"Sands of Silk","flags":{"unique":true}},{"type":"Chain Tiara","text":"Sandstorm Visage Chain Tiara","name":"Sandstorm Visage","flags":{"unique":true}},{"type":"Jade Tiara","text":"Scold's Bridle Jade Tiara","name":"Scold's Bridle","flags":{"unique":true}},{"type":"Tonal Focus","text":"Serpent's Lesson Tonal Focus","name":"Serpent's Lesson","flags":{"unique":true}},{"type":"Aged Cuffs","text":"Shackles of the Wretched Aged Cuffs","name":"Shackles of the Wretched","flags":{"unique":true}},{"type":"Covered Sabatons","text":"Shankgonne Covered Sabatons","name":"Shankgonne","flags":{"unique":true}},{"type":"Marabout Garb","text":"Sierran Inheritance Marabout Garb","name":"Sierran Inheritance","flags":{"unique":true}},{"type":"Enlightened Robe","text":"Silks of Veneration Enlightened Robe","name":"Silks of Veneration","flags":{"unique":true}},{"type":"Spiked Buckler","text":"Silverthorne Spiked Buckler","name":"Silverthorne","flags":{"unique":true}},{"type":"Grand Manchettes","text":"Sine Aequo Grand Manchettes","name":"Sine Aequo","flags":{"unique":true}},{"type":"Garment","text":"Skin of the Loyal Garment","name":"Skin of the Loyal","flags":{"unique":true}},{"type":"Spined Bracers","text":"Snakebite Spined Bracers","name":"Snakebite","flags":{"unique":true}},{"type":"Grand Visage","text":"Solus Ipse Grand Visage","name":"Solus Ipse","flags":{"unique":true}},{"type":"Sacrificial Mantle","text":"Soul Mantle Sacrificial Mantle","name":"Soul Mantle","flags":{"unique":true}},{"type":"Leatherbound Hood","text":"Starkonja's Head Leatherbound Hood","name":"Starkonja's Head","flags":{"unique":true}},{"type":"Array Buckler","text":"Sunsplinter Array Buckler","name":"Sunsplinter","flags":{"unique":true}},{"type":"Crucible Tower Shield","text":"Svalinn Crucible Tower Shield","name":"Svalinn","flags":{"unique":true}},{"type":"Garment","text":"Tabula Rasa Garment","name":"Tabula Rasa","flags":{"unique":true}},{"type":"Silk Robe","text":"Temporalis Silk Robe","name":"Temporalis","flags":{"unique":true}},{"type":"Votive Raiment","text":"Tetzlapokal's Desire Votive Raiment","name":"Tetzlapokal's Desire","flags":{"unique":true}},{"type":"Rogue Armour","text":"The Barrow Dweller Rogue Armour","name":"The Barrow Dweller","flags":{"unique":true}},{"type":"Hexer's Robe","text":"The Black Doubt Hexer's Robe","name":"The Black Doubt","flags":{"unique":true}},{"type":"Corsair Cap","text":"The Black Insignia Corsair Cap","name":"The Black Insignia","flags":{"unique":true}},{"type":"Champion Cuirass","text":"The Brass Dome Champion Cuirass","name":"The Brass Dome","flags":{"unique":true}},{"type":"Decorated Helm","text":"The Bringer of Rain Decorated Helm","name":"The Bringer of Rain","flags":{"unique":true}},{"type":"Heroic Armour","text":"The Coming Calamity Heroic Armour","name":"The Coming Calamity","flags":{"unique":true}},{"type":"Altar Robe","text":"The Covenant Altar Robe","name":"The Covenant","flags":{"unique":true}},{"type":"Wayfarer Jacket","text":"The Dancing Mirage Wayfarer Jacket","name":"The Dancing Mirage","flags":{"unique":true}},{"type":"Spiritbone Crown","text":"The Deepest Tower Spiritbone Crown","name":"The Deepest Tower","flags":{"unique":true}},{"type":"Wicker Tiara","text":"The Devouring Diadem Wicker Tiara","name":"The Devouring Diadem","flags":{"unique":true}},{"type":"Crystal Focus","text":"The Eternal Spark Crystal Focus","name":"The Eternal Spark","flags":{"unique":true}},{"type":"Lamellar Mail","text":"The Fallen Formation Lamellar Mail","name":"The Fallen Formation","flags":{"unique":true}},{"type":"Hewn Mask","text":"The Hollow Mask Hewn Mask","name":"The Hollow Mask","flags":{"unique":true}},{"type":"Raider Plate","text":"The Road Warrior Raider Plate","name":"The Road Warrior","flags":{"unique":true}},{"type":"Bronze Greaves","text":"The Infinite Pursuit Bronze Greaves","name":"The Infinite Pursuit","flags":{"unique":true}},{"type":"Mail Sabatons","text":"The Knight-errant Mail Sabatons","name":"The Knight-errant","flags":{"unique":true}},{"type":"Sacral Quiver","text":"The Lethal Draw Sacral Quiver","name":"The Lethal Draw","flags":{"unique":true}},{"type":"Cleric Vestments","text":"The Mutable Star Cleric Vestments","name":"The Mutable Star","flags":{"unique":true}},{"type":"Verisium Cuffs","text":"The Prisoner's Manacles Verisium Cuffs","name":"The Prisoner's Manacles","flags":{"unique":true}},{"type":"Scout's Vest","text":"The Rat Cage Scout's Vest","name":"The Rat Cage","flags":{"unique":true}},{"type":"Cowled Helm","text":"The Smiling Knight Cowled Helm","name":"The Smiling Knight","flags":{"unique":true}},{"type":"Vaal Tower Shield","text":"The Surrender Vaal Tower Shield","name":"The Surrender","flags":{"unique":true}},{"type":"Stone Tower Shield","text":"The Surrender Stone Tower Shield (Legacy)","name":"The Surrender","disc":"legacy","flags":{"unique":true}},{"type":"Solid Mask","text":"The Three Dragons Solid Mask","name":"The Three Dragons","flags":{"unique":true}},{"type":"Tribal Mask","text":"The Vertex Tribal Mask","name":"The Vertex","flags":{"unique":true}},{"type":"Shielded Helm","text":"The Vile Knight Shielded Helm","name":"The Vile Knight","flags":{"unique":true}},{"type":"Effigial Tower Shield","text":"The Wailing Wall Effigial Tower Shield","name":"The Wailing Wall","flags":{"unique":true}},{"type":"Woven Focus","text":"Threaded Light Woven Focus","name":"Threaded Light","flags":{"unique":true}},{"type":"Spired Greathelm","text":"Thrillsteel Spired Greathelm","name":"Thrillsteel","flags":{"unique":true}},{"type":"Utility Wraps","text":"Thunderfist Utility Wraps","name":"Thunderfist","flags":{"unique":true}},{"type":"Steeltoe Boots","text":"Thunderstep Steeltoe Boots","name":"Thunderstep","flags":{"unique":true}},{"type":"Maraketh Cuirass","text":"Titanrot Cataphract Maraketh Cuirass","name":"Titanrot Cataphract","flags":{"unique":true}},{"type":"Trimmed Greaves","text":"Trampletoe Trimmed Greaves","name":"Trampletoe","flags":{"unique":true}},{"type":"Riveted Mitts","text":"Treefingers Riveted Mitts","name":"Treefingers","flags":{"unique":true}},{"type":"Plate Gauntlets","text":"Valako's Vice Plate Gauntlets","name":"Valako's Vice","flags":{"unique":true}},{"type":"Martyr Crown","text":"Veil of the Night Martyr Crown","name":"Veil of the Night","flags":{"unique":true}},{"type":"Beaded Circlet","text":"Visage of Ayah Beaded Circlet","name":"Visage of Ayah","flags":{"unique":true}},{"type":"Plated Raiment","text":"Vis Mortis Plated Raiment","name":"Vis Mortis","flags":{"unique":true}},{"type":"Plated Vestments","text":"Voll's Protector Plated Vestments","name":"Voll's Protector","flags":{"unique":true}},{"type":"Ironclad Vestments","text":"Voll's Protector Ironclad Vestments (Legacy)","name":"Voll's Protector","disc":"legacy","flags":{"unique":true}},{"type":"Secured Leggings","text":"Wake of Destruction Secured Leggings","name":"Wake of Destruction","flags":{"unique":true}},{"type":"Steel Plate","text":"Wandering Reliquary Steel Plate","name":"Wandering Reliquary","flags":{"unique":true}},{"type":"Wrapped Sandals","text":"Wanderlust Wrapped Sandals","name":"Wanderlust","flags":{"unique":true}},{"type":"Tideseer Mantle","text":"Waveshaper Tideseer Mantle","name":"Waveshaper","flags":{"unique":true}},{"type":"Knight Armour","text":"Widow's Reign Knight Armour","name":"Widow's Reign","flags":{"unique":true}},{"type":"Barricade Tower Shield","text":"Window to Paradise Barricade Tower Shield","name":"Window to Paradise","flags":{"unique":true}},{"type":"Feathered Sandals","text":"Windscream Feathered Sandals","name":"Windscream","flags":{"unique":true}},{"type":"Rusted Greathelm","text":"Wings of Caelyn Rusted Greathelm","name":"Wings of Caelyn","flags":{"unique":true}},{"type":"Silk Slippers","text":"Wondertrap Silk Slippers","name":"Wondertrap","flags":{"unique":true}},{"type":"Painted Tower Shield","text":"Wulfsbane Painted Tower Shield","name":"Wulfsbane","flags":{"unique":true}},{"type":"Strider Vest","text":"Yriel's Fostering Strider Vest","name":"Yriel's Fostering","flags":{"unique":true}},{"type":"Scalper's Jacket","text":"Zerphi's Serape Scalper's Jacket","name":"Zerphi's Serape","flags":{"unique":true}}]},{"id":"currency","label":"Currency","entries":[{"type":"Preserved Rib"},{"type":"Ancient Rib"},{"type":"Gnawed Rib"},{"type":"Preserved Cranium"},{"type":"Preserved Collarbone"},{"type":"Ancient Collarbone"},{"type":"Gnawed Collarbone"},{"type":"Preserved Vertebrae"},{"type":"Preserved Jawbone"},{"type":"Ancient Jawbone"},{"type":"Gnawed Jawbone"},{"type":"Artificer's Orb"},{"type":"Artificer's Shard"},{"type":"Orb of Augmentation"},{"type":"Greater Orb of Augmentation"},{"type":"Perfect Orb of Augmentation"},{"type":"Exalted Orb"},{"type":"Greater Exalted Orb"},{"type":"Perfect Exalted Orb"},{"type":"Lesser Jeweller's Orb"},{"type":"Greater Jeweller's Orb"},{"type":"Perfect Jeweller's Orb"},{"type":"Simulacrum Splinter"},{"type":"Armourer's Scrap"},{"type":"Breach Splinter"},{"type":"Vaal Orb"},{"type":"Essence of the Abyss"},{"type":"Essence of Delirium"},{"type":"Essence of Horror"},{"type":"Essence of Hysteria"},{"type":"Essence of Insanity"},{"type":"Mirror of Kalandra"},{"type":"Essence of Command"},{"type":"Essence of Battle"},{"type":"Essence of the Infinite"},{"type":"Essence of Sorcery"},{"type":"Essence of Ruin"},{"type":"Essence of Ice"},{"type":"Essence of Thawing"},{"type":"Essence of Seeking"},{"type":"Essence of Enhancement"},{"type":"Essence of Flames"},{"type":"Essence of Insulation"},{"type":"Essence of the Body"},{"type":"Essence of Electricity"},{"type":"Essence of Grounding"},{"type":"Essence of the Mind"},{"type":"Essence of Abrasion"},{"type":"Essence of Opulence"},{"type":"Essence of Haste"},{"type":"Essence of Alacrity"},{"type":"Runic Splinter"},{"type":"Glassblower's Bauble"},{"type":"Fracturing Orb"},{"type":"Gemcutter's Prism"},{"type":"Greater Essence of Command"},{"type":"Greater Essence of Battle"},{"type":"Greater Essence of the Infinite"},{"type":"Greater Essence of Sorcery"},{"type":"Greater Essence of Ruin"},{"type":"Greater Essence of Ice"},{"type":"Greater Essence of Thawing"},{"type":"Greater Essence of Seeking"},{"type":"Greater Essence of Enhancement"},{"type":"Greater Essence of Flames"},{"type":"Greater Essence of Insulation"},{"type":"Greater Essence of the Body"},{"type":"Greater Essence of Electricity"},{"type":"Greater Essence of Grounding"},{"type":"Greater Essence of the Mind"},{"type":"Greater Essence of Abrasion"},{"type":"Greater Essence of Opulence"},{"type":"Greater Essence of Haste"},{"type":"Greater Essence of Alacrity"},{"type":"Hinekora's Lock"},{"type":"Scroll of Wisdom"},{"type":"[DNT] Incursion Gemcutter's Prism (not visible to players)"},{"type":"Ancient Infuser"},{"type":"Architect's Orb"},{"type":"Crystallised Corruption"},{"type":"Orb of Extraction"},{"type":"Core Destabiliser"},{"type":"Vaal Cultivation Orb"},{"type":"Vaal Siphoner"},{"type":"Vaal Infuser"},{"type":"Reaver Catalyst"},{"type":"Adaptive Catalyst"},{"type":"Sibilant Catalyst"},{"type":"Chayula's Catalyst"},{"type":"Tul's Catalyst"},{"type":"Carapace Catalyst"},{"type":"Xoph's Catalyst"},{"type":"Flesh Catalyst"},{"type":"Esh's Catalyst"},{"type":"Neural Catalyst"},{"type":"Uul-Netol's Catalyst"},{"type":"Skittering Catalyst"},{"type":"Lesser Essence of Command"},{"type":"Lesser Essence of Battle"},{"type":"Lesser Essence of the Infinite"},{"type":"Lesser Essence of Sorcery"},{"type":"Lesser Essence of Ruin"},{"type":"Lesser Essence of Ice"},{"type":"Lesser Essence of Thawing"},{"type":"Lesser Essence of Seeking"},{"type":"Lesser Essence of Enhancement"},{"type":"Lesser Essence of Flames"},{"type":"Lesser Essence of Insulation"},{"type":"Lesser Essence of the Body"},{"type":"Lesser Essence of Electricity"},{"type":"Lesser Essence of Grounding"},{"type":"Lesser Essence of the Mind"},{"type":"Lesser Essence of Abrasion"},{"type":"Lesser Essence of Opulence"},{"type":"Lesser Essence of Haste"},{"type":"Lesser Essence of Alacrity"},{"type":"Arcanist's Etcher"},{"type":"Divine Orb"},{"type":"Perfect Essence of Command"},{"type":"Perfect Essence of Battle"},{"type":"Perfect Essence of the Infinite"},{"type":"Perfect Essence of Sorcery"},{"type":"Perfect Essence of Ruin"},{"type":"Perfect Essence of Ice"},{"type":"Perfect Essence of Thawing"},{"type":"Perfect Essence of Seeking"},{"type":"Perfect Essence of Enhancement"},{"type":"Perfect Essence of Flames"},{"type":"Perfect Essence of Insulation"},{"type":"Perfect Essence of the Body"},{"type":"Perfect Essence of Electricity"},{"type":"Perfect Essence of Grounding"},{"type":"Perfect Essence of the Mind"},{"type":"Perfect Essence of Abrasion"},{"type":"Perfect Essence of Opulence"},{"type":"Perfect Essence of Haste"},{"type":"Perfect Essence of Alacrity"},{"type":"Exotic Coinage"},{"type":"Orb of Annulment"},{"type":"Chaos Orb"},{"type":"Greater Chaos Orb"},{"type":"Perfect Chaos Orb"},{"type":"Albino Rhoa Feather"},{"type":"Petition Splinter"},{"type":"Regal Orb"},{"type":"Greater Regal Orb"},{"type":"Perfect Regal Orb"},{"type":"Regal Shard"},{"type":"Orb of Chance"},{"type":"Chance Shard"},{"type":"Orb of Transmutation"},{"type":"Greater Orb of Transmutation"},{"type":"Perfect Orb of Transmutation"},{"type":"Transmutation Shard"},{"type":"Orb of Alchemy"},{"type":"Blacksmith's Whetstone"},{"type":"Diluted Liquid Ire"},{"type":"Concentrated Liquid Isolation"},{"type":"Diluted Liquid Guilt"},{"type":"Diluted Liquid Greed"},{"type":"Liquid Paranoia"},{"type":"Liquid Envy"},{"type":"Liquid Disgust"},{"type":"Liquid Despair"},{"type":"Concentrated Liquid Fear"},{"type":"Concentrated Liquid Suffering"},{"type":"Omen of Gambling"},{"type":"Omen of Sinistral Necromancy"},{"type":"Omen of Dextral Necromancy"},{"type":"Omen of the Sovereign"},{"type":"Omen of the Liege"},{"type":"Omen of the Blackblooded"},{"type":"Omen of Abyssal Echoes"},{"type":"Omen of Putrefaction"},{"type":"Omen of Sinistral Alchemy"},{"type":"Omen of Dextral Alchemy"},{"type":"Omen of Light"},{"type":"Omen of Sinistral Annulment"},{"type":"Omen of Dextral Annulment"},{"type":"Omen of Greater Annulment"},{"type":"Omen of the Ancients"},{"type":"Omen of Chance"},{"type":"Omen of Whittling"},{"type":"Omen of Chaotic Rarity"},{"type":"Omen of Chaotic Monsters"},{"type":"Omen of Chaotic Quantity"},{"type":"Omen of Sinistral Erasure"},{"type":"Omen of Dextral Erasure"},{"type":"Omen of Amelioration"},{"type":"Omen of the Blessed"},{"type":"Omen of Sanctification"},{"type":"Omen of Homogenising Exaltation"},{"type":"Omen of Sinistral Exaltation"},{"type":"Omen of Dextral Exaltation"},{"type":"Omen of Greater Exaltation"},{"type":"Omen of Catalysing Exaltation"},{"type":"Omen of Resurgence"},{"type":"Omen of Refreshment"},{"type":"Omen of Sinistral Crystallisation"},{"type":"Omen of Dextral Crystallisation"},{"type":"Omen of Homogenising Coronation"},{"type":"Omen of Sinistral Coronation"},{"type":"Omen of Dextral Coronation"},{"type":"Omen of Corruption"},{"type":"Omen of Recombination"},{"type":"Omen of Reinforcements"},{"type":"Omen of Bartering"},{"type":"Omen of Answered Prayers"},{"type":"Omen of Secret Compartments"},{"type":"Omen of the Hunt"},{"type":"Broken Circle Artifact"},{"type":"Black Scythe Artifact"},{"type":"Order Artifact"},{"type":"Sun Artifact"},{"type":"Azmeri Reliquary Key"},{"type":"Xesht's Reliquary Key"},{"type":"Tangmazu's Reliquary Key"},{"type":"Olroth's Reliquary Key"},{"type":"The Arbiter's Reliquary Key"},{"type":"Ritualistic Reliquary Key"},{"type":"Zarokh's Reliquary Key: Against the Darkness"},{"type":"Zarokh's Reliquary Key: Temporalis"},{"type":"The Trialmaster's Reliquary Key"},{"type":"Twilight Reliquary Key"},{"type":"Amanamu's Gaze"},{"type":"Kurgal's Gaze"},{"type":"Vision Rune"},{"type":"Greater Vision Rune"},{"type":"Lesser Vision Rune"},{"type":"Glacial Rune"},{"type":"Greater Glacial Rune"},{"type":"Lesser Glacial Rune"},{"type":"Adept Rune"},{"type":"Greater Adept Rune"},{"type":"Lesser Adept Rune"},{"type":"Iron Rune"},{"type":"Greater Iron Rune"},{"type":"Lesser Iron Rune"},{"type":"Desert Rune"},{"type":"Greater Desert Rune"},{"type":"Lesser Desert Rune"},{"type":"Resolve Rune"},{"type":"Greater Resolve Rune"},{"type":"Lesser Resolve Rune"},{"type":"Body Rune"},{"type":"Greater Body Rune"},{"type":"Lesser Body Rune"},{"type":"Rebirth Rune"},{"type":"Greater Rebirth Rune"},{"type":"Lesser Rebirth Rune"},{"type":"Storm Rune"},{"type":"Greater Storm Rune"},{"type":"Lesser Storm Rune"},{"type":"Mind Rune"},{"type":"Greater Mind Rune"},{"type":"Lesser Mind Rune"},{"type":"Inspiration Rune"},{"type":"Greater Inspiration Rune"},{"type":"Lesser Inspiration Rune"},{"type":"Greater Rune of Leadership"},{"type":"Craiceann's Rune of Warding"},{"type":"Saqawal's Rune of Memory"},{"type":"Saqawal's Rune of Erosion"},{"type":"Farrul's Rune of the Hunt"},{"type":"Craiceann's Rune of Recovery"},{"type":"Courtesan Mannan's Rune of Cruelty"},{"type":"Thane Grannell's Rune of Mastery"},{"type":"Fenumus' Rune of Spinning"},{"type":"Countess Seske's Rune of Archery"},{"type":"Thane Girt's Rune of Wildness"},{"type":"Greater Rune of Tithing"},{"type":"Fenumus' Rune of Draining"},{"type":"Thane Myrk's Rune of Summer"},{"type":"Lady Hestra's Rune of Winter"},{"type":"Thane Leld's Rune of Spring"},{"type":"The Greatwolf's Rune of Claws"},{"type":"The Greatwolf's Rune of Willpower"},{"type":"Greater Rune of Alacrity"},{"type":"Greater Rune of Nobility"},{"type":"Hedgewitch Assandra's Rune of Wisdom"},{"type":"Saqawal's Rune of the Sky"},{"type":"Fenumus' Rune of Agony"},{"type":"Farrul's Rune of Grace"},{"type":"Farrul's Rune of the Chase"},{"type":"Robust Rune"},{"type":"Greater Robust Rune"},{"type":"Lesser Robust Rune"},{"type":"Stone Rune"},{"type":"Greater Stone Rune"},{"type":"Lesser Stone Rune"},{"type":"Soul Core of Opiloti"},{"type":"Soul Core of Tacati"},{"type":"Soul Core of Ticaba"},{"type":"Soul Core of Cholotl"},{"type":"Soul Core of Topotante"},{"type":"Soul Core of Citaqualotl"},{"type":"Soul Core of Tzamoto"},{"type":"Soul Core of Puhuarte"},{"type":"Soul Core of Zantipi"},{"type":"Soul Core of Azcapa"},{"type":"Soul Core of Jiquani"},{"type":"Soul Core of Zalatl"},{"type":"Soul Core of Xopec"},{"type":"Hayoxi's Soul Core of Heatproofing"},{"type":"Xopec's Soul Core of Power"},{"type":"Estazunti's Soul Core of Convalescence"},{"type":"Tacati's Soul Core of Affliction"},{"type":"Cholotl's Soul Core of War"},{"type":"Citaqualotl's Soul Core of Foulness"},{"type":"Xipocado's Soul Core of Dominion"},{"type":"Zalatl's Soul Core of Insulation"},{"type":"Topotante's Soul Core of Dampening"},{"type":"Atmohua's Soul Core of Retreat"},{"type":"Quipolatl's Soul Core of Flow"},{"type":"Tzamoto's Soul Core of Ferocity"},{"type":"Uromoti's Soul Core of Attenuation"},{"type":"Opiloti's Soul Core of Assault"},{"type":"Guatelitzi's Soul Core of Endurance"},{"type":"Soul Core of Quipolatl"},{"type":"Soul Core of Atmohua"},{"type":"Bear Idol"},{"type":"Boar Idol"},{"type":"Cat Idol"},{"type":"Fox Idol"},{"type":"Primate Idol"},{"type":"Owl Idol"},{"type":"Ox Idol"},{"type":"Rabbit Idol"},{"type":"Snake Idol"},{"type":"Idol of Sirrius"},{"type":"Idol of Thruldana"},{"type":"Idol of Grold"},{"type":"Idol of Eeshta"},{"type":"Idol of Egrin"},{"type":"Idol of Maxarius"},{"type":"Idol of Ralakesh"},{"type":"Stag Idol"},{"type":"Wolf Idol"},{"type":"Tecrod's Gaze"},{"type":"Guatelitzi's Thesis"},{"type":"Quipolatl's Thesis"},{"type":"Citaqualotl's Thesis"},{"type":"Jiquani's Thesis"},{"type":"Ulaman's Gaze"}]},{"id":"flask","label":"Flasks","entries":[{"type":"Thawing Charm"},{"type":"Topaz Charm"},{"type":"Amethyst Charm"},{"type":"Golden Charm"},{"type":"Staunching Charm"},{"type":"Antidote Charm"},{"type":"Dousing Charm"},{"type":"Grounding Charm"},{"type":"Stone Charm"},{"type":"Silver Charm"},{"type":"Ruby Charm"},{"type":"Sapphire Charm"},{"type":"Lesser Life Flask"},{"type":"Medium Life Flask"},{"type":"Greater Life Flask"},{"type":"Grand Life Flask"},{"type":"Giant Life Flask"},{"type":"Colossal Life Flask"},{"type":"Gargantuan Life Flask"},{"type":"Transcendent Life Flask"},{"type":"Ultimate Life Flask"},{"type":"Lesser Mana Flask"},{"type":"Medium Mana Flask"},{"type":"Greater Mana Flask"},{"type":"Grand Mana Flask"},{"type":"Giant Mana Flask"},{"type":"Colossal Mana Flask"},{"type":"Gargantuan Mana Flask"},{"type":"Transcendent Mana Flask"},{"type":"Ultimate Mana Flask"},{"type":"Antidote Charm","text":"Arakaali's Gift Antidote Charm","name":"Arakaali's Gift","flags":{"unique":true}},{"type":"Dousing Charm","text":"Beira's Anguish Dousing Charm","name":"Beira's Anguish","flags":{"unique":true}},{"type":"Gargantuan Life Flask","text":"Blood of the Warrior Gargantuan Life Flask","name":"Blood of the Warrior","flags":{"unique":true}},{"type":"Sapphire Charm","text":"Breath of the Mountains Sapphire Charm","name":"Breath of the Mountains","flags":{"unique":true}},{"type":"Amethyst Charm","text":"Forsaken Bangle Amethyst Charm","name":"Forsaken Bangle","flags":{"unique":true}},{"type":"Stone Charm","text":"For Utopia Stone Charm","name":"For Utopia","flags":{"unique":true}},{"type":"Gargantuan Mana Flask","text":"Lavianga's Spirits Gargantuan Mana Flask","name":"Lavianga's Spirits","flags":{"unique":true}},{"type":"Ultimate Mana Flask","text":"Melting Maelstrom Ultimate Mana Flask","name":"Melting Maelstrom","flags":{"unique":true}},{"type":"Thawing Charm","text":"Nascent Hope Thawing Charm","name":"Nascent Hope","flags":{"unique":true}},{"type":"Ruby Charm","text":"Ngamahu's Chosen Ruby Charm","name":"Ngamahu's Chosen","flags":{"unique":true}},{"type":"Ultimate Life Flask","text":"Olroth's Resolve Ultimate Life Flask","name":"Olroth's Resolve","flags":{"unique":true}},{"type":"Golden Charm","text":"Rite of Passage Golden Charm","name":"Rite of Passage","flags":{"unique":true}},{"type":"Staunching Charm","text":"Sanguis Heroum Staunching Charm","name":"Sanguis Heroum","flags":{"unique":true}},{"type":"Grounding Charm","text":"The Black Cat Grounding Charm","name":"The Black Cat","flags":{"unique":true}},{"type":"Silver Charm","text":"The Fall of the Axe Silver Charm","name":"The Fall of the Axe","flags":{"unique":true}},{"type":"Topaz Charm","text":"Valako's Roar Topaz Charm","name":"Valako's Roar","flags":{"unique":true}}]},{"id":"gem","label":"Gems","entries":[{"type":"Alchemist's Boon"},{"type":"Ancestral Cry"},{"type":"Archmage"},{"type":"Armour Piercing Rounds"},{"type":"Attrition"},{"type":"Barkskin"},{"type":"Fury of the Mountain"},{"type":"Berserk"},{"type":"Blink"},{"type":"Bloodhound's Mark"},{"type":"Bone Cage"},{"type":"Bonestorm"},{"type":"Charge Regulation"},{"type":"Cluster Grenade"},{"type":"Snap"},{"type":"Combat Frenzy"},{"type":"Convalescence"},{"type":"Cull The Weak"},{"type":"Dark Effigy"},{"type":"Defiance Banner"},{"type":"Detonating Arrow"},{"type":"Dread Banner"},{"type":"Electrocuting Arrow"},{"type":"Elemental Conflux"},{"type":"Elemental Invocation"},{"type":"Elemental Sundering"},{"type":"Elemental Weakness"},{"type":"Emergency Reload"},{"type":"Entangle"},{"type":"Explosive Grenade"},{"type":"Explosive Shot"},{"type":"Explosive Spear"},{"type":"Fangs of Frost"},{"type":"Feral Invocation"},{"type":"Fireball"},{"type":"Flash Grenade"},{"type":"Forge Hammer"},{"type":"Fortifying Cry"},{"type":"Fragmentation Rounds"},{"type":"Freezing Mark"},{"type":"Freezing Salvo"},{"type":"Frost Darts"},{"type":"Frozen Locus"},{"type":"Galvanic Shards"},{"type":"Gas Arrow"},{"type":"Gas Grenade"},{"type":"Gathering Storm"},{"type":"Glacial Bolt"},{"type":"Grim Feast"},{"type":"Hailstorm Rounds"},{"type":"Hammer of the Gods"},{"type":"Hand of Chayula"},{"type":"Herald of Blood"},{"type":"Herald of Plague"},{"type":"High Velocity Rounds"},{"type":"Ice Shards"},{"type":"Ice Shot"},{"type":"Ice-Tipped Arrows"},{"type":"Incendiary Shot"},{"type":"Iron Ward"},{"type":"Lightning Rod"},{"type":"Living Bomb"},{"type":"Lunar Assault"},{"type":"Magma Barrier"},{"type":"Magnetic Salvo"},{"type":"Mana Remnants"},{"type":"Mantra of Destruction"},{"type":"Mirage Archer"},{"type":"Molten Blast"},{"type":"Mortar Cannon"},{"type":"Oil Barrage"},{"type":"Oil Grenade"},{"type":"Overwhelming Presence"},{"type":"Perfect Strike"},{"type":"Permafrost Bolts"},{"type":"Plasma Blast"},{"type":"Poisonburst Arrow"},{"type":"Primal Strikes"},{"type":"Profane Ritual"},{"type":"Raging Spirits"},{"type":"Rake"},{"type":"Rapid Shot"},{"type":"Ravenous Swarm"},{"type":"Reaper's Invocation"},{"type":"Resonating Shield"},{"type":"Sacrifice"},{"type":"Scavenged Plating"},{"type":"Shard Scavenger"},{"type":"Shield Wall"},{"type":"Shockburst Rounds"},{"type":"Shockchain Arrow"},{"type":"Siege Cascade"},{"type":"Siphon Elements"},{"type":"Siphoning Strike"},{"type":"Snipe"},{"type":"Solar Orb"},{"type":"Soul Offering"},{"type":"Spear of Solaris"},{"type":"Stampede"},{"type":"Stormblast Bolts"},{"type":"Stormcaller Arrow"},{"type":"Storm Lance"},{"type":"Storm Wave"},{"type":"Tame Beast"},{"type":"Tempest Bell"},{"type":"Thrashing Vines"},{"type":"Thunderous Leap"},{"type":"Time of Need"},{"type":"Tornado Shot"},{"type":"Toxic Domain"},{"type":"Toxic Growth"},{"type":"Trinity"},{"type":"Twister"},{"type":"Unearth"},{"type":"Vaulting Impact"},{"type":"Vine Arrow"},{"type":"Voltaic Mark"},{"type":"War Banner"},{"type":"Whirlwind Lance"},{"type":"Wind Dancer"},{"type":"Wind Serpent's Fury"},{"type":"Wing Blast"},{"type":"Withering Presence"},{"type":"Arctic Howl"},{"type":"Cross Slash"},{"type":"Lunar Blessing"},{"type":"Devour"},{"type":"Flame Breath"},{"type":"Uncut Spirit Gem"},{"type":"Uncut Spirit Gem (Level 10)"},{"type":"Uncut Spirit Gem (Level 11)"},{"type":"Uncut Spirit Gem (Level 12)"},{"type":"Uncut Spirit Gem (Level 13)"},{"type":"Uncut Spirit Gem (Level 14)"},{"type":"Uncut Spirit Gem (Level 15)"},{"type":"Uncut Spirit Gem (Level 16)"},{"type":"Uncut Spirit Gem (Level 17)"},{"type":"Uncut Spirit Gem (Level 18)"},{"type":"Uncut Spirit Gem (Level 19)"},{"type":"Uncut Spirit Gem (Level 20)"},{"type":"Uncut Spirit Gem (Level 4)"},{"type":"Uncut Spirit Gem (Level 5)"},{"type":"Uncut Spirit Gem (Level 6)"},{"type":"Uncut Spirit Gem (Level 7)"},{"type":"Uncut Spirit Gem (Level 8)"},{"type":"Uncut Spirit Gem (Level 9)"},{"type":"Ancestral Warrior Totem"},{"type":"Arc"},{"type":"Arctic Armour"},{"type":"Armour Breaker"},{"type":"Siege Ballista"},{"type":"Ball Lightning"},{"type":"Barrage"},{"type":"Barrier Invocation"},{"type":"Rampage"},{"type":"Bind Spectre"},{"type":"Blasphemy"},{"type":"Blood Hunt"},{"type":"Bone Offering"},{"type":"Boneshatter"},{"type":"Briarpatch"},{"type":"Cast on Critical"},{"type":"Cast on Dodge"},{"type":"Cast on Elemental Ailment"},{"type":"Cast on Freeze"},{"type":"Cast on Ignite"},{"type":"Cast on Minion Death"},{"type":"Cast on Shock"},{"type":"Charged Staff"},{"type":"Comet"},{"type":"Conductivity"},{"type":"Contagion"},{"type":"Despair"},{"type":"Detonate Dead"},{"type":"Disengage"},{"type":"Earthquake"},{"type":"Earthshatter"},{"type":"Ember Fusillade"},{"type":"Enfeeble"},{"type":"Escape Shot"},{"type":"Essence Drain"},{"type":"Eternal Rage"},{"type":"Eye of Winter"},{"type":"Falling Thunder"},{"type":"Ferocious Roar"},{"type":"Firestorm"},{"type":"Flameblast"},{"type":"Flame Wall"},{"type":"Flammability"},{"type":"Flicker Strike"},{"type":"Frostbolt"},{"type":"Frost Bomb"},{"type":"Frost Wall"},{"type":"Furious Slam"},{"type":"Ghost Dance"},{"type":"Glacial Cascade"},{"type":"Glacial Lance"},{"type":"Herald of Ash"},{"type":"Herald of Ice"},{"type":"Herald of Thunder"},{"type":"Hexblast"},{"type":"Hypothermia"},{"type":"Ice Nova"},{"type":"Ice Strike"},{"type":"Incinerate"},{"type":"Infernal Cry"},{"type":"Killing Palm"},{"type":"Leap Slam"},{"type":"Lightning Arrow"},{"type":"Lightning Conduit"},{"type":"Lightning Spear"},{"type":"Lightning Warp"},{"type":"Lingering Illusion"},{"type":"Mana Tempest"},{"type":"Orb of Storms"},{"type":"Pain Offering"},{"type":"Plague Bearer"},{"type":"Rain of Arrows"},{"type":"Raise Zombie"},{"type":"Rapid Assault"},{"type":"Rhoa Mount"},{"type":"Artillery Ballista"},{"type":"Rolling Magma"},{"type":"Rolling Slam"},{"type":"Savage Fury"},{"type":"Seismic Cry"},{"type":"Shattering Palm"},{"type":"Shield Charge"},{"type":"Shockwave Totem"},{"type":"Skeletal Arsonist"},{"type":"Skeletal Brute"},{"type":"Skeletal Cleric"},{"type":"Skeletal Frost Mage"},{"type":"Skeletal Reaver"},{"type":"Skeletal Sniper"},{"type":"Skeletal Storm Mage"},{"type":"Sniper's Mark"},{"type":"Spark"},{"type":"Spearfield"},{"type":"Spell Totem"},{"type":"Spiral Volley"},{"type":"Staggering Palm"},{"type":"Sunder"},{"type":"Supercharged Slam"},{"type":"Tempest Flurry"},{"type":"Temporal Chains"},{"type":"Thunderstorm"},{"type":"Tornado"},{"type":"Trail of Caltrops"},{"type":"Uncut Skill Gem"},{"type":"Uncut Skill Gem (Level 1)"},{"type":"Uncut Skill Gem (Level 10)"},{"type":"Uncut Skill Gem (Level 11)"},{"type":"Uncut Skill Gem (Level 12)"},{"type":"Uncut Skill Gem (Level 13)"},{"type":"Uncut Skill Gem (Level 14)"},{"type":"Uncut Skill Gem (Level 15)"},{"type":"Uncut Skill Gem (Level 16)"},{"type":"Uncut Skill Gem (Level 17)"},{"type":"Uncut Skill Gem (Level 18)"},{"type":"Uncut Skill Gem (Level 19)"},{"type":"Uncut Skill Gem (Level 2)"},{"type":"Uncut Skill Gem (Level 20)"},{"type":"Uncut Skill Gem (Level 3)"},{"type":"Uncut Skill Gem (Level 4)"},{"type":"Uncut Skill Gem (Level 5)"},{"type":"Uncut Skill Gem (Level 6)"},{"type":"Uncut Skill Gem (Level 7)"},{"type":"Uncut Skill Gem (Level 8)"},{"type":"Uncut Skill Gem (Level 9)"},{"type":"Volcanic Fissure"},{"type":"Volcano"},{"type":"Voltaic Grenade"},{"type":"Vulnerability"},{"type":"Walking Calamity"},{"type":"Wave of Frost"},{"type":"Whirling Assault"},{"type":"Whirling Slash"},{"type":"Wind Blast"},{"type":"Wolf Pack"},{"type":"Pounce"},{"type":"Projectile Acceleration I"},{"type":"Projectile Acceleration III"},{"type":"Projectile Acceleration II"},{"type":"Aftershock I"},{"type":"Aftershock II"},{"type":"Ahn's Citadel"},{"type":"Ailith's Chimes"},{"type":"Ambush"},{"type":"Arcane Surge"},{"type":"Rapid Casting I"},{"type":"Rapid Casting III"},{"type":"Rapid Casting II"},{"type":"Atalui's Bloodletting"},{"type":"Behead I"},{"type":"Behead II"},{"type":"Bhatair's Vengeance"},{"type":"Biting Frost I"},{"type":"Biting Frost II"},{"type":"Blazing Critical"},{"type":"Blind I"},{"type":"Blind II"},{"type":"Bloodlust"},{"type":"Knockback"},{"type":"Bounty I"},{"type":"Bounty II"},{"type":"Break Posture"},{"type":"Brittle Armour"},{"type":"Brutality I"},{"type":"Brutality III"},{"type":"Brutality II"},{"type":"Brutus' Brain"},{"type":"Heightened Accuracy I"},{"type":"Heightened Accuracy II"},{"type":"Burning Inscription"},{"type":"Bursting Plague"},{"type":"Cannibalism I"},{"type":"Cannibalism II"},{"type":"Catalysing Elements"},{"type":"Chain I"},{"type":"Chain III"},{"type":"Chain II"},{"type":"Chaos Attunement"},{"type":"Chaos Mastery"},{"type":"Charged Mark"},{"type":"Clarity I"},{"type":"Clarity II"},{"type":"Close Combat I"},{"type":"Close Combat II"},{"type":"Cold Exposure"},{"type":"Cold Attunement"},{"type":"Cold Mastery"},{"type":"Cold Penetration"},{"type":"Combo Finisher I"},{"type":"Combo Finisher II"},{"type":"Escalating Poison"},{"type":"Concentrated Area"},{"type":"Concussive Spells"},{"type":"Shock"},{"type":"Controlled Destruction"},{"type":"Controlled Hazard"},{"type":"Corrosion"},{"type":"Corrupting Cry I"},{"type":"Paquate's Pact"},{"type":"Corrupting Cry II"},{"type":"Shock Conduction I"},{"type":"Shock Conduction II"},{"type":"Creeping Chill"},{"type":"Crescendo I"},{"type":"Crescendo III"},{"type":"Crescendo II"},{"type":"Coursing Current"},{"type":"Deadly Herald"},{"type":"Deadly Poison I"},{"type":"Deadly Poison II"},{"type":"Projectile Deceleration I"},{"type":"Projectile Deceleration II"},{"type":"Deep Cuts I"},{"type":"Deep Cuts II"},{"type":"Deep Freeze"},{"type":"Armour Demolisher I"},{"type":"Armour Demolisher II"},{"type":"Lasting Ground"},{"type":"Devastate"},{"type":"Daze"},{"type":"Drain Ailments"},{"type":"Echoing Cry"},{"type":"Einhar's Beastrite"},{"type":"Electrocute"},{"type":"Elemental Army"},{"type":"Elemental Discharge"},{"type":"Elemental Focus"},{"type":"Empowered Sparks I"},{"type":"Empowered Sparks II"},{"type":"Slow Potency"},{"type":"Energy Barrier"},{"type":"Enraged Warcry I"},{"type":"Enraged Warcry II"},{"type":"Poison I"},{"type":"Poison III"},{"type":"Poison II"},{"type":"Essence Harvest"},{"type":"Eternal Flame I"},{"type":"Eternal Flame III"},{"type":"Eternal Flame II"},{"type":"Eternal Mark"},{"type":"Execute I"},{"type":"Execute III"},{"type":"Execute II"},{"type":"Expand"},{"type":"Exploit Weakness"},{"type":"Accelerated Growth"},{"type":"Accelerated Growth II"},{"type":"Exposing Cry"},{"type":"Fan The Flames"},{"type":"Fan The Flames II"},{"type":"Compressed Duration I"},{"type":"Compressed Duration II"},{"type":"Feeding Frenzy I"},{"type":"Feeding Frenzy II"},{"type":"Fiery Death"},{"type":"Fire Exposure"},{"type":"Fire Attunement"},{"type":"Fire Mastery"},{"type":"Fire Penetration I"},{"type":"Fire Penetration II"},{"type":"Fist of War I"},{"type":"Fist of War III"},{"type":"Fist of War II"},{"type":"Font of Blood"},{"type":"Font of Mana"},{"type":"Font of Rage"},{"type":"Fork"},{"type":"Fortress I"},{"type":"Fortress II"},{"type":"Frostfire"},{"type":"Frost Nexus"},{"type":"Freeze"},{"type":"Gorge"},{"type":"Heavy Swing"},{"type":"Heightened Curse"},{"type":"Herbalism I"},{"type":"Herbalism II"},{"type":"Hex Bloom"},{"type":"Hourglass"},{"type":"Ice Bite I"},{"type":"Ice Bite II"},{"type":"Ignite I"},{"type":"Ignite III"},{"type":"Ignite II"},{"type":"Immolate"},{"type":"Impact Shockwave"},{"type":"Impending Doom"},{"type":"Inexorable Critical I"},{"type":"Inexorable Critical II"},{"type":"Infernal Legion I"},{"type":"Infernal Legion III"},{"type":"Infernal Legion II"},{"type":"Cooldown Recovery I"},{"type":"Cooldown Recovery II"},{"type":"Efficiency I"},{"type":"Efficiency II"},{"type":"Jagged Ground I"},{"type":"Jagged Ground II"},{"type":"Bleed I"},{"type":"Bleed IV"},{"type":"Bleed III"},{"type":"Bleed II"},{"type":"Lasting Shock"},{"type":"Life Bounty"},{"type":"Life Drain"},{"type":"Lifetap"},{"type":"Life Leech I"},{"type":"Life Leech III"},{"type":"Life Leech II"},{"type":"Lightning Exposure"},{"type":"Lightning Attunement"},{"type":"Lightning Mastery"},{"type":"Lightning Penetration"},{"type":"Lockdown"},{"type":"Longshot I"},{"type":"Longshot II"},{"type":"Magnified Area I"},{"type":"Magnified Area II"},{"type":"Maim"},{"type":"Mana Bounty"},{"type":"Mana Flare"},{"type":"Mark of Siphoning"},{"type":"Mark of Siphoning II"},{"type":"Rapid Attacks I"},{"type":"Rapid Attacks III"},{"type":"Rapid Attacks II"},{"type":"Meat Shield I"},{"type":"Meat Shield II"},{"type":"Minion Mastery"},{"type":"Mobility"},{"type":"Momentum"},{"type":"Murderous Intent"},{"type":"Neural Overload"},{"type":"Nova Projectiles I"},{"type":"Nova Projectiles II"},{"type":"Oisín's Oath"},{"type":"Opening Move"},{"type":"Overabundance I"},{"type":"Overabundance II"},{"type":"Overcharge"},{"type":"Stun I"},{"type":"Stun III"},{"type":"Stun II"},{"type":"Perpetual Charge"},{"type":"Prolonged Duration I"},{"type":"Prolonged Duration II"},{"type":"Physical Mastery"},{"type":"Pierce I"},{"type":"Pierce III"},{"type":"Pierce II"},{"type":"Pin I"},{"type":"Pinpoint Critical"},{"type":"Pin III"},{"type":"Pin II"},{"type":"Practical Magic I"},{"type":"Practical Magic II"},{"type":"Precision I"},{"type":"Precision II"},{"type":"Premeditation"},{"type":"Elemental Armament I"},{"type":"Elemental Armament III"},{"type":"Elemental Armament II"},{"type":"Charge Profusion I"},{"type":"Charge Profusion II"},{"type":"Rage I"},{"type":"Rage III"},{"type":"Rage II"},{"type":"Rending Apex"},{"type":"Rising Tempest"},{"type":"Ruthless"},{"type":"Multishot I"},{"type":"Multishot II"},{"type":"Searing Flame I"},{"type":"Searing Flame II"},{"type":"Second Wind I"},{"type":"Second Wind III"},{"type":"Second Wind II"},{"type":"Shock Siphon"},{"type":"Tectonic Slams"},{"type":"Soul Drain"},{"type":"Mana Leech"},{"type":"Spell Echo"},{"type":"Armour Break I"},{"type":"Armour Break III"},{"type":"Armour Break II"},{"type":"Stormfire"},{"type":"Supercritical"},{"type":"Thrill of the Kill"},{"type":"Thrill of the Kill II"},{"type":"Unbreakable"},{"type":"Uncut Support Gem"},{"type":"Uncut Support Gem (Level 1)"},{"type":"Uncut Support Gem (Level 2)"},{"type":"Uncut Support Gem (Level 3)"},{"type":"Uncut Support Gem (Level 4)"},{"type":"Uncut Support Gem (Level 5)"},{"type":"Unleash"},{"type":"Uruk's Smelting"},{"type":"Vilenta's Propulsion"},{"type":"Vitality I"},{"type":"Vitality II"},{"type":"Wildfire"},{"type":"Window of Opportunity I"},{"type":"Window of Opportunity II"},{"type":"Wind Wave"},{"type":"Withering Touch"},{"type":"Zarokh's Revolt"},{"type":"Abiding Hex"},{"type":"Sacrificial Offering"},{"type":"Acrimony"},{"type":"Adhesive Grenades I"},{"type":"Adhesive Grenades II"},{"type":"Admixture"},{"type":"Advancing Storm"},{"type":"Alignment I"},{"type":"Alignment III"},{"type":"Alignment II"},{"type":"Amanamu's Tithe"},{"type":"Ambrosia"},{"type":"Ambrosia II"},{"type":"Ammo Conservation I"},{"type":"Arjun's Medal"},{"type":"Ammo Conservation III"},{"type":"Ammo Conservation II"},{"type":"Ancestral Aid"},{"type":"Ancestral Call I"},{"type":"Ancestral Call II"},{"type":"Urgent Totems I"},{"type":"Urgent Totems III"},{"type":"Urgent Totems II"},{"type":"Arakaali's Lust"},{"type":"Arbiter's Ignition"},{"type":"Armour Explosion"},{"type":"Arms Length"},{"type":"Astral Projection"},{"type":"Atziri's Allure"},{"type":"Atziri's Impatience"},{"type":"Auto Reload"},{"type":"Barbs I"},{"type":"Barbs III"},{"type":"Barbs II"},{"type":"Battershout"},{"type":"Bidding I"},{"type":"Bidding III"},{"type":"Bidding II"},{"type":"Blindside"},{"type":"Hobble"},{"type":"Bone Shrapnel"},{"type":"Brambleslam"},{"type":"Branching Fissures I"},{"type":"Branching Fissures II"},{"type":"Break Endurance"},{"type":"Brink I"},{"type":"Brink II"},{"type":"Burgeon I"},{"type":"Burgeon II"},{"type":"Cadence"},{"type":"Caltrops"},{"type":"Energy Capacitor"},{"type":"Catharsis"},{"type":"Chaotic Freeze"},{"type":"Charged Shots I"},{"type":"Charged Shots II"},{"type":"Charm Bounty"},{"type":"Clash"},{"type":"Ratha's Assault"},{"type":"Commandment"},{"type":"Commiserate"},{"type":"Concoct I"},{"type":"Concoct II"},{"type":"Considered Casting"},{"type":"Cool Headed"},{"type":"Corpse Conservation"},{"type":"Crackling Barrier"},{"type":"Crater"},{"type":"Crazed Minions"},{"type":"Crystalline Shards"},{"type":"Culling Strike I"},{"type":"Culling Strike II"},{"type":"Culmination I"},{"type":"Culmination II"},{"type":"Cursed Ground"},{"type":"Danse Macabre"},{"type":"Daresso's Passion"},{"type":"Dauntless"},{"type":"Dazing Cry"},{"type":"Dazzle"},{"type":"Deadly Resolve"},{"type":"Deathmarch"},{"type":"Decaying Hex"},{"type":"Defy I"},{"type":"Defy II"},{"type":"Delayed Gratification"},{"type":"Delayed Reaction"},{"type":"Deliberation"},{"type":"Derange"},{"type":"Desperation"},{"type":"Dialla's Desire"},{"type":"Direstrike I"},{"type":"Direstrike II"},{"type":"Harmonic Remnants I"},{"type":"Harmonic Remnants II"},{"type":"Doedre's Undoing"},{"type":"Persistent Ground I"},{"type":"Persistent Ground III"},{"type":"Persistent Ground II"},{"type":"Double Barrel I"},{"type":"Double Barrel III"},{"type":"Double Barrel II"},{"type":"Durability"},{"type":"Embitter"},{"type":"Enduring Impact I"},{"type":"Enduring Impact II"},{"type":"Energy Retention"},{"type":"Hulking Minions"},{"type":"Esh's Radiance"},{"type":"Excise"},{"type":"Excoriate"},{"type":"Execrate"},{"type":"Expanse"},{"type":"Short Fuse I"},{"type":"Short Fuse II"},{"type":"Extraction"},{"type":"Ferocity"},{"type":"Selfless Remnants"},{"type":"First Blood"},{"type":"Flamepierce"},{"type":"Flow"},{"type":"Fluke"},{"type":"Ixchel's Torment"},{"type":"Focused Curse"},{"type":"Freezefork"},{"type":"Fresh Clip I"},{"type":"Fresh Clip II"},{"type":"Frozen Spite"},{"type":"Gambleshot"},{"type":"Garukhan's Resolve"},{"type":"Glacier"},{"type":"Cirel's Cultivation"},{"type":"Greatwood II"},{"type":"Guatelitzi's Ablation"},{"type":"Haemocrystals"},{"type":"Hardy Totems I"},{"type":"Tawhoa's Tending"},{"type":"Hardy Totems II"},{"type":"Hayoxi's Fulmination"},{"type":"Heft"},{"type":"Hinder"},{"type":"Hit and Run"},{"type":"Holy Descent"},{"type":"Icicle"},{"type":"Impale"},{"type":"Boundless Energy I"},{"type":"Boundless Energy II"},{"type":"Incision"},{"type":"Inhibitor"},{"type":"Innervate"},{"type":"Intense Agony"},{"type":"Remnant Potency I"},{"type":"Remnant Potency III"},{"type":"Remnant Potency II"},{"type":"Reinforced Totems I"},{"type":"Reinforced Totems II"},{"type":"Kalisa's Crescendo"},{"type":"Kaom's Madness"},{"type":"Khatal's Rejuvenation"},{"type":"Kulemak's Dominion"},{"type":"Kurgal's Leash"},{"type":"Last Gasp"},{"type":"Leverage"},{"type":"Living Lightning"},{"type":"Living Lightning II"},{"type":"Long Fuse I"},{"type":"Long Fuse II"},{"type":"Loyalty"},{"type":"Magnetic Remnants"},{"type":"Malady"},{"type":"Minion Instability"},{"type":"Minion Pact I"},{"type":"Minion Pact II"},{"type":"Morgana's Tempest"},{"type":"Muster"},{"type":"Mysticism I"},{"type":"Mysticism II"},{"type":"Nimble Reload"},{"type":"Outmaneuver"},{"type":"Overextend"},{"type":"Payload"},{"type":"Perfected Endurance"},{"type":"Perfection"},{"type":"Dominus' Grasp"},{"type":"Poison Spores"},{"type":"Potential"},{"type":"Practiced Combo"},{"type":"Profanity I"},{"type":"Profanity II"},{"type":"Punch Through"},{"type":"Pursuit I"},{"type":"Pursuit III"},{"type":"Pursuit II"},{"type":"Quill Burst"},{"type":"Rageforged I"},{"type":"Rageforged II"},{"type":"Raging Cry"},{"type":"Rakiata's Flow"},{"type":"Rally"},{"type":"Overreach"},{"type":"Rearm I"},{"type":"Rearm II"},{"type":"Refraction I"},{"type":"Refraction III"},{"type":"Refraction II"},{"type":"Retaliate I"},{"type":"Retaliate II"},{"type":"Frenzied Riposte"},{"type":"Retreat I"},{"type":"Retreat III"},{"type":"Retreat II"},{"type":"Reverberate"},{"type":"Ricochet I"},{"type":"Ricochet III"},{"type":"Ricochet II"},{"type":"Rigwald's Ferocity"},{"type":"Rime"},{"type":"Rip"},{"type":"Ritualistic Curse"},{"type":"Romira's Requital"},{"type":"Rupture"},{"type":"Rusted Spikes"},{"type":"Sacrificial Lamb I"},{"type":"Sacrificial Lamb II"},{"type":"Salvo"},{"type":"See Red"},{"type":"Shocking Leap"},{"type":"Electromagnetism"},{"type":"Mark for Death"},{"type":"Mark for Death II"},{"type":"Skittering Stone I"},{"type":"Skittering Stone II"},{"type":"Spar"},{"type":"Spectral Volley"},{"type":"Spell Cascade"},{"type":"Splinter Totem I"},{"type":"Splinter Totem II"},{"type":"Static Shocks"},{"type":"Steadfast I"},{"type":"Steadfast II"},{"type":"Stoicism I"},{"type":"Stoicism II"},{"type":"Stomping Ground"},{"type":"Stormchain"},{"type":"Streamlined Rounds"},{"type":"Potent Exposure"},{"type":"Strong Hearted"},{"type":"Encroaching Ground"},{"type":"Swift Affliction I"},{"type":"Swift Affliction III"},{"type":"Swift Affliction II"},{"type":"Syzygy"},{"type":"Tacati's Ire"},{"type":"Tasalio's Rhythm"},{"type":"Tear"},{"type":"Tecrod's Revenge"},{"type":"Thornskin I"},{"type":"Thornskin II"},{"type":"Tireless"},{"type":"Tremors"},{"type":"Tul's Stillness"},{"type":"Tumult"},{"type":"Heightened Charges"},{"type":"Uhtred's Augury"},{"type":"Uhtred's Exodus"},{"type":"Uhtred's Omen"},{"type":"Unabating"},{"type":"Unbending"},{"type":"Unerring Power"},{"type":"Unsteady Tempo"},{"type":"Untouchable"},{"type":"Unyielding"},{"type":"Upheaval I"},{"type":"Upheaval II"},{"type":"Upwelling I"},{"type":"Upwelling II"},{"type":"Uul-Netol's Embrace"},{"type":"Vanguard I"},{"type":"Vanguard II"},{"type":"Varashta's Blessing"},{"type":"Verglas"},{"type":"Volatile Power"},{"type":"Volatility"},{"type":"Volcanic Eruption"},{"type":"Volt"},{"type":"Warm Blooded"},{"type":"Wildshards I"},{"type":"Sione's Temper"},{"type":"Wildshards II"},{"type":"Xibaqua's Rending"},{"type":"Xoph's Pyre"},{"type":"Zarokh's Refrain"},{"type":"Zenith I"},{"type":"Zenith II"},{"type":"Zerphi's Infamy"}]},{"id":"jewel","label":"Jewels","entries":[{"type":"Emerald"},{"type":"Diamond"},{"type":"Sapphire"},{"type":"Time-Lost Emerald"},{"type":"Time-Lost Diamond"},{"type":"Time-Lost Sapphire"},{"type":"Time-Lost Ruby"},{"type":"Ruby"},{"type":"Timeless Jewel"},{"type":"Time-Lost Diamond","text":"Against the Darkness Time-Lost Diamond","name":"Against the Darkness","flags":{"unique":true}},{"type":"Diamond","text":"Controlled Metamorphosis Diamond","name":"Controlled Metamorphosis","flags":{"unique":true}},{"type":"Diamond","text":"Flesh Crucible Diamond","name":"Flesh Crucible","flags":{"unique":true}},{"type":"Diamond","text":"From Nothing Diamond","name":"From Nothing","flags":{"unique":true}},{"type":"Ruby","text":"Grand Spectrum Ruby","name":"Grand Spectrum","flags":{"unique":true}},{"type":"Emerald","text":"Grand Spectrum Emerald","name":"Grand Spectrum","flags":{"unique":true}},{"type":"Sapphire","text":"Grand Spectrum Sapphire","name":"Grand Spectrum","flags":{"unique":true}},{"type":"Diamond","text":"Heart of the Well Diamond","name":"Heart of the Well","flags":{"unique":true}},{"type":"Timeless Jewel","text":"Heroic Tragedy Timeless Jewel","name":"Heroic Tragedy","flags":{"unique":true}},{"type":"Diamond","text":"Megalomaniac Diamond","name":"Megalomaniac","flags":{"unique":true}},{"type":"Diamond","text":"Prism of Belief Diamond","name":"Prism of Belief","flags":{"unique":true}},{"type":"Diamond","text":"The Adorned Diamond","name":"The Adorned","flags":{"unique":true}},{"type":"Timeless Jewel","text":"Undying Hate Timeless Jewel","name":"Undying Hate","flags":{"unique":true}}]},{"id":"map","label":"Maps","entries":[{"type":"Kulemak's Invitation"},{"type":"Idol of Estazunti"},{"type":"Expedition Logbook"},{"type":"Simulacrum"},{"type":"Breachstone"},{"type":"An Audience with the King"},{"type":"Waystone (Tier 1)"},{"type":"Waystone (Tier 10)"},{"type":"Waystone (Tier 11)"},{"type":"Waystone (Tier 12)"},{"type":"Waystone (Tier 13)"},{"type":"Waystone (Tier 14)"},{"type":"Waystone (Tier 15)"},{"type":"Waystone (Tier 16)"},{"type":"Waystone (Tier 2)"},{"type":"Waystone (Tier 3)"},{"type":"Waystone (Tier 4)"},{"type":"Waystone (Tier 5)"},{"type":"Waystone (Tier 6)"},{"type":"Waystone (Tier 7)"},{"type":"Waystone (Tier 8)"},{"type":"Waystone (Tier 9)"},{"type":"Ancient Crisis Fragment"},{"type":"Faded Crisis Fragment"},{"type":"Weathered Crisis Fragment"},{"type":"Primary Calamity Fragment"},{"type":"Secondary Calamity Fragment"},{"type":"Tertiary Calamity Fragment"},{"type":"Test of Strength Barya"},{"type":"Test of Will Barya"},{"type":"Test of Cunning Barya"},{"type":"Test of Time Barya"},{"type":"Djinn Barya"},{"type":"Abyss Precursor Tablet"},{"type":"Breach Precursor Tablet"},{"type":"Delirium Precursor Tablet"},{"type":"Expedition Precursor Tablet"},{"type":"Precursor Tablet"},{"type":"Overseer Precursor Tablet"},{"type":"Ritual Precursor Tablet"},{"type":"Inscribed Ultimatum"},{"type":"Cowardly Fate"},{"type":"Deadly Fate"},{"type":"Victorious Fate"},{"type":"Delirium Precursor Tablet","text":"Clear Skies Delirium Precursor Tablet","name":"Clear Skies","flags":{"unique":true}},{"type":"Overseer Precursor Tablet","text":"Cruel Hegemony Overseer Precursor Tablet","name":"Cruel Hegemony","flags":{"unique":true}},{"type":"Expedition Precursor Tablet","text":"Forgotten By Time Expedition Precursor Tablet","name":"Forgotten By Time","flags":{"unique":true}},{"type":"Ritual Precursor Tablet","text":"Freedom of Faith Ritual Precursor Tablet","name":"Freedom of Faith","flags":{"unique":true}},{"type":"Overseer Precursor Tablet","text":"Season of the Hunt Overseer Precursor Tablet","name":"Season of the Hunt","flags":{"unique":true}},{"type":"Precursor Tablet","text":"The Grand Project Precursor Tablet","name":"The Grand Project","flags":{"unique":true}},{"type":"Abyss Precursor Tablet","text":"Unforeseen Consequences Abyss Precursor Tablet","name":"Unforeseen Consequences","flags":{"unique":true}},{"type":"Precursor Tablet","text":"Visions of Paradise Precursor Tablet","name":"Visions of Paradise","flags":{"unique":true}},{"type":"Breach Precursor Tablet","text":"Wraeclast Besieged Breach Precursor Tablet","name":"Wraeclast Besieged","flags":{"unique":true}}]},{"id":"weapon","label":"Weapons","entries":[{"type":"Glass Shank"},{"type":"Kris Knife"},{"type":"Parrying Dagger"},{"type":"Arcane Dirk"},{"type":"Cinquedea"},{"type":"Crone Knife"},{"type":"Simple Dagger"},{"type":"Skinning Knife"},{"type":"Moon Dagger"},{"type":"Engraved Knife"},{"type":"Obsidian Dagger"},{"type":"Bloodletting Dagger"},{"type":"Mail Breaker"},{"type":"Splintered Flail"},{"type":"Icicle Flail"},{"type":"Tearing Flail"},{"type":"Great Flail"},{"type":"Abyssal Flail"},{"type":"Chain Flail"},{"type":"Holy Flail"},{"type":"Iron Flail"},{"type":"Twin Flail"},{"type":"Slender Flail"},{"type":"Stone Flail"},{"type":"Ring Flail"},{"type":"Guarded Flail"},{"type":"Dull Hatchet"},{"type":"Fury Cleaver"},{"type":"Battle Axe"},{"type":"Profane Cleaver"},{"type":"Dread Hatchet"},{"type":"Hook Axe"},{"type":"Bearded Axe"},{"type":"Extended Cleaver"},{"type":"Bandit Hatchet"},{"type":"Crescent Axe"},{"type":"Carving Hatchet"},{"type":"Sacrificial Axe"},{"type":"Boarding Hatchet"},{"type":"Wooden Club"},{"type":"Jade Club"},{"type":"Akoyan Club"},{"type":"Execratus Hammer"},{"type":"Torment Club"},{"type":"Smithing Hammer"},{"type":"Calescent Hammer"},{"type":"Molten Hammer"},{"type":"Slim Mace"},{"type":"Flared Mace"},{"type":"Flanged Mace"},{"type":"Spiked Club"},{"type":"Warpick"},{"type":"Battle Pick"},{"type":"Strife Pick"},{"type":"Plated Mace"},{"type":"Marching Mace"},{"type":"Crown Mace"},{"type":"Brigand Mace"},{"type":"Bandit Mace"},{"type":"Marauding Mace"},{"type":"Construct Hammer"},{"type":"Structured Hammer"},{"type":"Fortified Hammer"},{"type":"Morning Star"},{"type":"Hardwood Spear"},{"type":"Seaglass Spear"},{"type":"Akoyan Spear"},{"type":"Sword Spear"},{"type":"Striking Spear"},{"type":"Helix Spear"},{"type":"Ironhead Spear"},{"type":"Steelhead Spear"},{"type":"Orichalcum Spear"},{"type":"Hunting Spear"},{"type":"Coursing Spear"},{"type":"Stalking Spear"},{"type":"Winged Spear"},{"type":"Soaring Spear"},{"type":"War Spear"},{"type":"Swift Spear"},{"type":"Flying Spear"},{"type":"Forked Spear"},{"type":"Branched Spear"},{"type":"Pronged Spear"},{"type":"Barbed Spear"},{"type":"Jagged Spear"},{"type":"Spiked Spear"},{"type":"Broad Spear"},{"type":"Massive Spear"},{"type":"Grand Spear"},{"type":"Crossblade Spear"},{"type":"Guardian Spear"},{"type":"Shortsword"},{"type":"Runic Shortsword"},{"type":"Messer"},{"type":"Commander Sword"},{"type":"Dark Blade"},{"type":"Broadsword"},{"type":"Vampiric Blade"},{"type":"Scimitar"},{"type":"Charred Shortsword"},{"type":"Sickle Sword"},{"type":"Falchion"},{"type":"Treasured Blade"},{"type":"Cutlass"},{"type":"Rattling Sceptre"},{"type":"Wrath Sceptre"},{"type":"Stoic Sceptre"},{"type":"Omen Sceptre"},{"type":"Shrine Sceptre"},{"type":"Withered Wand"},{"type":"Dueling Wand"},{"type":"Bone Wand"},{"type":"Attuned Wand"},{"type":"Siphoning Wand"},{"type":"Volatile Wand"},{"type":"Galvanic Wand"},{"type":"Acrid Wand"},{"type":"Crude Bow"},{"type":"Tribal Bow"},{"type":"Heavy Bow"},{"type":"Shortbow"},{"type":"Snakewood Shortbow"},{"type":"Ironwood Shortbow"},{"type":"Warden Bow"},{"type":"Protector Bow"},{"type":"Guardian Bow"},{"type":"Recurve Bow"},{"type":"Composite Bow"},{"type":"Rider Bow"},{"type":"Cavalry Bow"},{"type":"Dualstring Bow"},{"type":"Twin Bow"},{"type":"Gemini Bow"},{"type":"Cultist Bow"},{"type":"Adherent Bow"},{"type":"Fanatic Bow"},{"type":"Zealot Bow"},{"type":"Militant Bow"},{"type":"Warmonger Bow"},{"type":"Artillery Bow"},{"type":"Obliterator Bow"},{"type":"Makeshift Crossbow"},{"type":"Piercing Crossbow"},{"type":"Elegant Crossbow"},{"type":"Tense Crossbow"},{"type":"Taut Crossbow"},{"type":"Flexed Crossbow"},{"type":"Sturdy Crossbow"},{"type":"Robust Crossbow"},{"type":"Stout Crossbow"},{"type":"Varnished Crossbow"},{"type":"Painted Crossbow"},{"type":"Engraved Crossbow"},{"type":"Dyad Crossbow"},{"type":"Twin Crossbow"},{"type":"Gemini Crossbow"},{"type":"Alloy Crossbow"},{"type":"Bombard Crossbow"},{"type":"Cannonade Crossbow"},{"type":"Siege Crossbow"},{"type":"Construct Crossbow"},{"type":"Bleak Crossbow"},{"type":"Desolate Crossbow"},{"type":"Blackfire Crossbow"},{"type":"Wrapped Quarterstaff"},{"type":"Smooth Quarterstaff"},{"type":"Dreaming Quarterstaff"},{"type":"Wyrm Quarterstaff"},{"type":"Long Quarterstaff"},{"type":"Reaching Quarterstaff"},{"type":"Striking Quarterstaff"},{"type":"Gothic Quarterstaff"},{"type":"Barbarous Quarterstaff"},{"type":"Sinister Quarterstaff"},{"type":"Crackling Quarterstaff"},{"type":"Arcing Quarterstaff"},{"type":"Bolting Quarterstaff"},{"type":"Crescent Quarterstaff"},{"type":"Waxing Quarterstaff"},{"type":"Lunar Quarterstaff"},{"type":"Steelpoint Quarterstaff"},{"type":"Slicing Quarterstaff"},{"type":"Bladed Quarterstaff"},{"type":"Razor Quarterstaff"},{"type":"Barrier Quarterstaff"},{"type":"Guardian Quarterstaff"},{"type":"Aegis Quarterstaff"},{"type":"Hefty Quarterstaff"},{"type":"Skullcrusher Quarterstaff"},{"type":"Ashen Staff"},{"type":"Roaring Staff"},{"type":"Paralysing Staff"},{"type":"Sanctified Staff"},{"type":"Ravenous Staff"},{"type":"Gelid Staff"},{"type":"Voltaic Staff"},{"type":"Pyrophyte Staff"},{"type":"Chiming Staff"},{"type":"Reaping Staff"},{"type":"Permafrost Staff"},{"type":"Reflecting Staff"},{"type":"Changeling Talisman"},{"type":"Lumbering Talisman"},{"type":"Jade Talisman"},{"type":"Nettle Talisman"},{"type":"Spiny Talisman"},{"type":"Cinderbark Talisman"},{"type":"Ashbark Talisman"},{"type":"Familial Talisman"},{"type":"Fang Talisman"},{"type":"Frenzied Talisman"},{"type":"Fungal Talisman"},{"type":"Primal Talisman"},{"type":"Howling Talisman"},{"type":"Alpha Talisman"},{"type":"Rabid Talisman"},{"type":"Fury Talisman"},{"type":"Maji Talisman"},{"type":"Vicious Talisman"},{"type":"Cruel Talisman"},{"type":"Wildwood Talisman"},{"type":"Voltfang Talisman"},{"type":"Thunder Talisman"},{"type":"Splitting Greataxe"},{"type":"Ember Greataxe"},{"type":"Ceremonial Halberd"},{"type":"Monument Greataxe"},{"type":"Vile Greataxe"},{"type":"Light Halberd"},{"type":"Executioner Greataxe"},{"type":"Arched Greataxe"},{"type":"Elegant Glaive"},{"type":"Savage Greataxe"},{"type":"Rending Halberd"},{"type":"Jagged Greataxe"},{"type":"Reaver Glaive"},{"type":"Felled Greatclub"},{"type":"Totemic Greatclub"},{"type":"Tawhoan Greatclub"},{"type":"Giant Maul"},{"type":"Oak Greathammer"},{"type":"Snakewood Greathammer"},{"type":"Ironwood Greathammer"},{"type":"Forge Maul"},{"type":"Blacksmith Maul"},{"type":"Anvil Maul"},{"type":"Studded Greatclub"},{"type":"Cultist Greathammer"},{"type":"Zealot Greathammer"},{"type":"Fanatic Greathammer"},{"type":"Temple Maul"},{"type":"Solemn Maul"},{"type":"Sacred Maul"},{"type":"Leaden Greathammer"},{"type":"Heavy Greathammer"},{"type":"Massive Greathammer"},{"type":"Crumbling Maul"},{"type":"Disintegrating Maul"},{"type":"Ruination Maul"},{"type":"Pointed Maul"},{"type":"Corroded Longsword"},{"type":"Ancient Greatblade"},{"type":"Flanged Greatblade"},{"type":"Regalia Longsword"},{"type":"Ultra Greatsword"},{"type":"Iron Greatsword"},{"type":"Blessed Claymore"},{"type":"Broad Greatsword"},{"type":"Rippled Greatsword"},{"type":"Arced Longsword"},{"type":"Stone Greatsword"},{"type":"Obsidian Greatsword"},{"type":"Keen Greatsword"},{"type":"Siphoning Wand","text":"Adonia's Ego Siphoning Wand","name":"Adonia's Ego","flags":{"unique":true}},{"type":"Changeling Talisman","text":"Amor Mandragora Changeling Talisman","name":"Amor Mandragora","flags":{"unique":true}},{"type":"Pronged Spear","text":"Atziri's Contempt Pronged Spear","name":"Atziri's Contempt","flags":{"unique":true}},{"type":"Reflecting Staff","text":"Atziri's Rule Reflecting Staff","name":"Atziri's Rule","flags":{"unique":true}},{"type":"Shortsword","text":"Bluetongue Shortsword","name":"Bluetongue","flags":{"unique":true}},{"type":"Studded Greatclub","text":"Brain Rattler Studded Greatclub","name":"Brain Rattler","flags":{"unique":true}},{"type":"Wooden Club","text":"Brynhand's Mark Wooden Club","name":"Brynhand's Mark","flags":{"unique":true}},{"type":"Hunting Spear","text":"Chainsting Hunting Spear","name":"Chainsting","flags":{"unique":true}},{"type":"Leaden Greathammer","text":"Chober Chaber Leaden Greathammer","name":"Chober Chaber","flags":{"unique":true}},{"type":"Wyrm Quarterstaff","text":"Collapsing Horizon Wyrm Quarterstaff","name":"Collapsing Horizon","flags":{"unique":true}},{"type":"Acrid Wand","text":"Cursecarver Acrid Wand","name":"Cursecarver","flags":{"unique":true}},{"type":"War Spear","text":"Daevata's Wind War Spear","name":"Daevata's Wind","flags":{"unique":true}},{"type":"Dualstring Bow","text":"Death's Harp Dualstring Bow","name":"Death's Harp","flags":{"unique":true}},{"type":"Composite Bow","text":"Doomfletch Composite Bow","name":"Doomfletch","flags":{"unique":true}},{"type":"Dyad Crossbow","text":"Double Vision Dyad Crossbow","name":"Double Vision","flags":{"unique":true}},{"type":"Ashen Staff","text":"Dusk Vigil Ashen Staff","name":"Dusk Vigil","flags":{"unique":true}},{"type":"Voltaic Staff","text":"Earthbound Voltaic Staff","name":"Earthbound","flags":{"unique":true}},{"type":"Volatile Wand","text":"Enezun's Charge Volatile Wand","name":"Enezun's Charge","flags":{"unique":true}},{"type":"Artillery Bow","text":"Fairgraves' Curse Artillery Bow","name":"Fairgraves' Curse","flags":{"unique":true}},{"type":"Omen Sceptre","text":"Font of Power Omen Sceptre","name":"Font of Power","flags":{"unique":true}},{"type":"Slim Mace","text":"Frostbreath Slim Mace","name":"Frostbreath","flags":{"unique":true}},{"type":"Ashbark Talisman","text":"Fury of the King Ashbark Talisman","name":"Fury of the King","flags":{"unique":true}},{"type":"Shrine Sceptre","text":"Guiding Palm Shrine Sceptre (Legacy)","name":"Guiding Palm","disc":"legacy","flags":{"unique":true}},{"type":"Shrine Sceptre","text":"Guiding Palm of the Eye Shrine Sceptre","name":"Guiding Palm of the Eye","flags":{"unique":true}},{"type":"Shrine Sceptre","text":"Guiding Palm of the Heart Shrine Sceptre","name":"Guiding Palm of the Heart","flags":{"unique":true}},{"type":"Shrine Sceptre","text":"Guiding Palm of the Mind Shrine Sceptre","name":"Guiding Palm of the Mind","flags":{"unique":true}},{"type":"Felled Greatclub","text":"Hoghunt Felled Greatclub","name":"Hoghunt","flags":{"unique":true}},{"type":"Oak Greathammer","text":"Hrimnor's Hymn Oak Greathammer","name":"Hrimnor's Hymn","flags":{"unique":true}},{"type":"Familial Talisman","text":"Hysseg's Claw Familial Talisman","name":"Hysseg's Claw","flags":{"unique":true}},{"type":"Dull Hatchet","text":"INCOMPLETE Dull Hatchet","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Corroded Longsword","text":"INCOMPLETE Corroded Longsword","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Chain Flail","text":"INCOMPLETE Chain Flail","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Charred Shortsword","text":"INCOMPLETE Charred Shortsword","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Rippled Greatsword","text":"INCOMPLETE Rippled Greatsword","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Skinning Knife","text":"INCOMPLETE Skinning Knife","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Broadsword","text":"INCOMPLETE Broadsword","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Iron Greatsword","text":"INCOMPLETE Iron Greatsword","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Simple Dagger","text":"INCOMPLETE Simple Dagger","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Hook Axe","text":"INCOMPLETE Hook Axe","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Bearded Axe","text":"INCOMPLETE Bearded Axe","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Splitting Greataxe","text":"INCOMPLETE Splitting Greataxe","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Executioner Greataxe","text":"INCOMPLETE Executioner Greataxe","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Crone Knife","text":"INCOMPLETE Crone Knife","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Moon Dagger","text":"INCOMPLETE Moon Dagger","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Holy Flail","text":"INCOMPLETE Holy Flail","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Arched Greataxe","text":"INCOMPLETE Arched Greataxe","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Hunting Spear","text":"INCOMPLETE Hunting Spear","name":"INCOMPLETE","flags":{"unique":true}},{"type":"War Spear","text":"INCOMPLETE War Spear","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Blessed Claymore","text":"INCOMPLETE Blessed Claymore","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Twin Flail","text":"INCOMPLETE Twin Flail","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Broad Greatsword","text":"INCOMPLETE Broad Greatsword","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Bandit Hatchet","text":"INCOMPLETE Bandit Hatchet","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Vampiric Blade","text":"INCOMPLETE Vampiric Blade","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Elegant Glaive","text":"INCOMPLETE Elegant Glaive","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Extended Cleaver","text":"INCOMPLETE Extended Cleaver","name":"INCOMPLETE","flags":{"unique":true}},{"type":"Ironhead Spear","text":"INCOMPLETE Ironhead Spear (Legacy)","name":"INCOMPLETE","disc":"legacy","flags":{"unique":true}},{"type":"Attuned Wand","text":"Lifesprig Attuned Wand","name":"Lifesprig","flags":{"unique":true}},{"type":"Heavy Bow","text":"Lioneye's Glare Heavy Bow","name":"Lioneye's Glare","flags":{"unique":true}},{"type":"Totemic Greatclub","text":"Marohi Erqi Totemic Greatclub","name":"Marohi Erqi","flags":{"unique":true}},{"type":"Crescent Quarterstaff","text":"Matsya Crescent Quarterstaff","name":"Matsya","flags":{"unique":true}},{"type":"Makeshift Crossbow","text":"Mist Whisper Makeshift Crossbow","name":"Mist Whisper","flags":{"unique":true}},{"type":"Torment Club","text":"Mjölner Torment Club","name":"Mjölner","flags":{"unique":true}},{"type":"Steelpoint Quarterstaff","text":"Nazir's Judgement Steelpoint Quarterstaff","name":"Nazir's Judgement","flags":{"unique":true}},{"type":"Execratus Hammer","text":"Nebuloch Execratus Hammer","name":"Nebuloch","flags":{"unique":true}},{"type":"Torment Club","text":"Olrovasara Torment Club","name":"Olrovasara","flags":{"unique":true}},{"type":"Shrine Sceptre","text":"Palm of the Dreamer Shrine Sceptre","name":"Palm of the Dreamer","flags":{"unique":true}},{"type":"Long Quarterstaff","text":"Pillar of the Caged God Long Quarterstaff","name":"Pillar of the Caged God","flags":{"unique":true}},{"type":"Crumbling Maul","text":"Quecholli Crumbling Maul","name":"Quecholli","flags":{"unique":true}},{"type":"Shortbow","text":"Quill Rain Shortbow","name":"Quill Rain","flags":{"unique":true}},{"type":"Tense Crossbow","text":"Rampart Raptor Tense Crossbow","name":"Rampart Raptor","flags":{"unique":true}},{"type":"Shortsword","text":"Redbeak Shortsword","name":"Redbeak","flags":{"unique":true}},{"type":"Shrine Sceptre","text":"Sacred Flame Shrine Sceptre","name":"Sacred Flame","flags":{"unique":true}},{"type":"Barbed Spear","text":"Saitha's Spear Barbed Spear","name":"Saitha's Spear","flags":{"unique":true}},{"type":"Bone Wand","text":"Sanguine Diviner Bone Wand","name":"Sanguine Diviner","flags":{"unique":true}},{"type":"Warpick","text":"Sculpted Suffering Warpick","name":"Sculpted Suffering","flags":{"unique":true}},{"type":"Marching Mace","text":"Seeing Stars Marching Mace","name":"Seeing Stars","flags":{"unique":true}},{"type":"Plated Mace","text":"Seeing Stars Plated Mace (Legacy)","name":"Seeing Stars","disc":"legacy","flags":{"unique":true}},{"type":"Temple Maul","text":"Shyaba Temple Maul","name":"Shyaba","flags":{"unique":true}},{"type":"Chiming Staff","text":"Sire of Shards Chiming Staff","name":"Sire of Shards","flags":{"unique":true}},{"type":"Winged Spear","text":"Skysliver Winged Spear","name":"Skysliver","flags":{"unique":true}},{"type":"Zealot Bow","text":"Slivertongue Zealot Bow","name":"Slivertongue","flags":{"unique":true}},{"type":"Helix Spear","text":"Spire of Ire Helix Spear","name":"Spire of Ire","flags":{"unique":true}},{"type":"Recurve Bow","text":"Splinterheart Recurve Bow","name":"Splinterheart","flags":{"unique":true}},{"type":"Hardwood Spear","text":"Splinter of Lorrata Hardwood Spear","name":"Splinter of Lorrata","flags":{"unique":true}},{"type":"Forked Spear","text":"Tangletongue Forked Spear","name":"Tangletongue","flags":{"unique":true}},{"type":"Gelid Staff","text":"Taryn's Shiver Gelid Staff","name":"Taryn's Shiver","flags":{"unique":true}},{"type":"Wrapped Quarterstaff","text":"The Blood Thorn Wrapped Quarterstaff","name":"The Blood Thorn","flags":{"unique":true}},{"type":"Chiming Staff","text":"The Burden of Shadows Chiming Staff","name":"The Burden of Shadows","flags":{"unique":true}},{"type":"Scimitar","text":"The Dancing Dervish Scimitar","name":"The Dancing Dervish","flags":{"unique":true}},{"type":"Rattling Sceptre","text":"The Dark Defiler Rattling Sceptre","name":"The Dark Defiler","flags":{"unique":true}},{"type":"Cultist Greathammer","text":"The Empty Roar Cultist Greathammer","name":"The Empty Roar","flags":{"unique":true}},{"type":"Vicious Talisman","text":"The Flesh Poppet Vicious Talisman","name":"The Flesh Poppet","flags":{"unique":true}},{"type":"Giant Maul","text":"The Hammer of Faith Giant Maul","name":"The Hammer of Faith","flags":{"unique":true}},{"type":"Desolate Crossbow","text":"The Last Lament Desolate Crossbow","name":"The Last Lament","flags":{"unique":true}},{"type":"Pyrophyte Staff","text":"The Searing Touch Pyrophyte Staff","name":"The Searing Touch","flags":{"unique":true}},{"type":"Gothic Quarterstaff","text":"The Sentry Gothic Quarterstaff","name":"The Sentry","flags":{"unique":true}},{"type":"Ravenous Staff","text":"The Unborn Lich Ravenous Staff","name":"The Unborn Lich","flags":{"unique":true}},{"type":"Permafrost Staff","text":"The Whispering Ice Permafrost Staff","name":"The Whispering Ice","flags":{"unique":true}},{"type":"Withered Wand","text":"The Wicked Quill Withered Wand","name":"The Wicked Quill","flags":{"unique":true}},{"type":"Pointed Maul","text":"Tidebreaker Pointed Maul","name":"Tidebreaker","flags":{"unique":true}},{"type":"Spiked Club","text":"Trenchtimbre Spiked Club","name":"Trenchtimbre","flags":{"unique":true}},{"type":"Forge Maul","text":"Trephina Forge Maul","name":"Trephina","flags":{"unique":true}},{"type":"Ironhead Spear","text":"Tyranny's Grip Ironhead Spear","name":"Tyranny's Grip","flags":{"unique":true}},{"type":"Fanatic Bow","text":"Voltaxic Rift Fanatic Bow","name":"Voltaxic Rift","flags":{"unique":true}},{"type":"Crude Bow","text":"Widowhail Crude Bow","name":"Widowhail","flags":{"unique":true}},{"type":"Glass Shank","text":"Winter's Bite Glass Shank","name":"Winter's Bite","flags":{"unique":true}},{"type":"Smithing Hammer","text":"Wylund's Stake Smithing Hammer","name":"Wylund's Stake","flags":{"unique":true}}]},{"id":"sanctum","label":"Sanctum Research","entries":[{"type":"Urn Relic"},{"type":"Amphora Relic"},{"type":"Vase Relic"},{"type":"Seal Relic"},{"type":"Coffer Relic"},{"type":"Tapestry Relic"},{"type":"Incense Relic"},{"type":"Tapestry Relic","text":"The Burden of Leadership Tapestry Relic","name":"The Burden of Leadership","flags":{"unique":true}},{"type":"Seal Relic","text":"The Changing Seasons Seal Relic","name":"The Changing Seasons","flags":{"unique":true}},{"type":"Vase Relic","text":"The Desperate Alliance Vase Relic","name":"The Desperate Alliance","flags":{"unique":true}},{"type":"Incense Relic","text":"The Last Flame Incense Relic","name":"The Last Flame","flags":{"unique":true}},{"type":"Amphora Relic","text":"The Peacemaker's Draught Amphora Relic","name":"The Peacemaker's Draught","flags":{"unique":true}},{"type":"Coffer Relic","text":"The Remembered Tales Coffer Relic","name":"The Remembered Tales","flags":{"unique":true}}]}]}
\ No newline at end of file
diff --git a/tools/OcrDaemon/tessdata/poe2_static.json b/tools/OcrDaemon/tessdata/poe2_static.json
new file mode 100644
index 0000000..dfdceac
--- /dev/null
+++ b/tools/OcrDaemon/tessdata/poe2_static.json
@@ -0,0 +1 @@
+{"result":[{"id":"Currency","label":"Currency","entries":[{"id":"sep","text":"Currency"},{"id":"wisdom","text":"Scroll of Wisdom","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lJZGVudGlmaWNhdGlvbiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/884f7bc58b/CurrencyIdentification.png"},{"id":"transmute","text":"Orb of Transmutation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lVcGdyYWRlVG9NYWdpYyIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/2f8e1ff9f8/CurrencyUpgradeToMagic.png"},{"id":"greater-orb-of-transmutation","text":"Greater Orb of Transmutation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lVcGdyYWRlVG9NYWdpYyIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/2f8e1ff9f8/CurrencyUpgradeToMagic.png"},{"id":"perfect-orb-of-transmutation","text":"Perfect Orb of Transmutation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lVcGdyYWRlVG9NYWdpYyIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/2f8e1ff9f8/CurrencyUpgradeToMagic.png"},{"id":"aug","text":"Orb of Augmentation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lBZGRNb2RUb01hZ2ljIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/c8ad0ddc84/CurrencyAddModToMagic.png"},{"id":"greater-orb-of-augmentation","text":"Greater Orb of Augmentation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lBZGRNb2RUb01hZ2ljIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/c8ad0ddc84/CurrencyAddModToMagic.png"},{"id":"perfect-orb-of-augmentation","text":"Perfect Orb of Augmentation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lBZGRNb2RUb01hZ2ljIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/c8ad0ddc84/CurrencyAddModToMagic.png"},{"id":"chance","text":"Orb of Chance","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lVcGdyYWRlVG9VbmlxdWUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/93c6cc8d5b/CurrencyUpgradeToUnique.png"},{"id":"alch","text":"Orb of Alchemy","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lVcGdyYWRlVG9SYXJlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/9b80b44821/CurrencyUpgradeToRare.png"},{"id":"chaos","text":"Chaos Orb","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lSZXJvbGxSYXJlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/c0ca392a78/CurrencyRerollRare.png"},{"id":"greater-chaos-orb","text":"Greater Chaos Orb","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lSZXJvbGxSYXJlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/c0ca392a78/CurrencyRerollRare.png"},{"id":"perfect-chaos-orb","text":"Perfect Chaos Orb","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lSZXJvbGxSYXJlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/c0ca392a78/CurrencyRerollRare.png"},{"id":"vaal","text":"Vaal Orb","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lWYWFsIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/72bc84396c/CurrencyVaal.png"},{"id":"regal","text":"Regal Orb","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lVcGdyYWRlTWFnaWNUb1JhcmUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/e8fb148e80/CurrencyUpgradeMagicToRare.png"},{"id":"greater-regal-orb","text":"Greater Regal Orb","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lVcGdyYWRlTWFnaWNUb1JhcmUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/e8fb148e80/CurrencyUpgradeMagicToRare.png"},{"id":"perfect-regal-orb","text":"Perfect Regal Orb","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lVcGdyYWRlTWFnaWNUb1JhcmUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/e8fb148e80/CurrencyUpgradeMagicToRare.png"},{"id":"exalted","text":"Exalted Orb","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lBZGRNb2RUb1JhcmUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/ad7c366789/CurrencyAddModToRare.png"},{"id":"greater-exalted-orb","text":"Greater Exalted Orb","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lBZGRNb2RUb1JhcmUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/ad7c366789/CurrencyAddModToRare.png"},{"id":"perfect-exalted-orb","text":"Perfect Exalted Orb","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lBZGRNb2RUb1JhcmUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/ad7c366789/CurrencyAddModToRare.png"},{"id":"divine","text":"Divine Orb","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lNb2RWYWx1ZXMiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/2986e220b3/CurrencyModValues.png"},{"id":"annul","text":"Orb of Annulment","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQW5udWxsT3JiIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/2daba8ccca/AnnullOrb.png"},{"id":"artificers","text":"Artificer's Orb","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lBZGRFcXVpcG1lbnRTb2NrZXQiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/5131fd4774/CurrencyAddEquipmentSocket.png"},{"id":"fracturing-orb","text":"Fracturing Orb","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRnJhY3R1cmluZ09yYiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/8b85ed1dc2/FracturingOrb.png"},{"id":"mirror","text":"Mirror of Kalandra","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lEdXBsaWNhdGUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/26bc31680e/CurrencyDuplicate.png"},{"id":"hinekoras-lock","text":"Hinekora's Lock","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvSGluZWtvcmFzTG9jayIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ab2163ae06/HinekorasLock.png"},{"id":"sep","text":"Jewellers' Currency"},{"id":"lesser-jewellers-orb","text":"Lesser Jeweller's Orb","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lSZXJvbGxTb2NrZXROdW1iZXJzMDEiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/b0b9a43ed8/CurrencyRerollSocketNumbers01.png"},{"id":"greater-jewellers-orb","text":"Greater Jeweller's Orb","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lSZXJvbGxTb2NrZXROdW1iZXJzMDIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/7dd6ee75be/CurrencyRerollSocketNumbers02.png"},{"id":"perfect-jewellers-orb","text":"Perfect Jeweller's Orb","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lSZXJvbGxTb2NrZXROdW1iZXJzMDMiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/ac6398e6a0/CurrencyRerollSocketNumbers03.png"},{"id":"sep","text":"Currency Shards"},{"id":"transmutation-shard","text":"Transmutation Shard","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lVcGdyYWRlVG9NYWdpY1NoYXJkIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/e67bca229b/CurrencyUpgradeToMagicShard.png"},{"id":"chance-shard","text":"Chance Shard","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lVcGdyYWRlVG9VbmlxdWVTaGFyZCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/9828a70270/CurrencyUpgradeToUniqueShard.png"},{"id":"regal-shard","text":"Regal Shard","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lVcGdyYWRlTWFnaWNUb1JhcmVTaGFyZCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/e4128abe92/CurrencyUpgradeMagicToRareShard.png"},{"id":"artificers-shard","text":"Artificer's Shard","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lBZGRFcXVpcG1lbnRTb2NrZXRTaGFyZCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/cdcdd8bf3f/CurrencyAddEquipmentSocketShard.png"},{"id":"sep","text":"Quality Currency"},{"id":"scrap","text":"Armourer's Scrap","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lBcm1vdXJRdWFsaXR5Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/d5868f596d/CurrencyArmourQuality.png"},{"id":"whetstone","text":"Blacksmith's Whetstone","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lXZWFwb25RdWFsaXR5Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/18715ea7be/CurrencyWeaponQuality.png"},{"id":"etcher","text":"Arcanist's Etcher","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lXZWFwb25NYWdpY1F1YWxpdHkiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/516e8f1131/CurrencyWeaponMagicQuality.png"},{"id":"bauble","text":"Glassblower's Bauble","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lGbGFza1F1YWxpdHkiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/1cec279e01/CurrencyFlaskQuality.png"},{"id":"gcp","text":"Gemcutter's Prism","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQ3VycmVuY3lHZW1RdWFsaXR5Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/f4bace18d7/CurrencyGemQuality.png"}]},{"id":"Incursion","label":"Incursion","entries":[{"id":"architects-orb","text":"Architect's Orb","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvSW5jdXJzaW9uQ3JhZnRpbmdPcmJzL0luY3Vyc2lvbkdyZWF0ZXJWYWFsT3JiIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/7ba6f79f63/IncursionGreaterVaalOrb.png"},{"id":"crystallised-corruption","text":"Crystallised Corruption","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvSW5jdXJzaW9uQ3JhZnRpbmdPcmJzL0luY3Vyc2lvbkNyeXN0YWxsaXNlZENvcnJ1cHRpb24iLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/7bb759396f/IncursionCrystallisedCorruption.png"},{"id":"core-destabiliser","text":"Core Destabiliser","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvSW5jdXJzaW9uQ3JhZnRpbmdPcmJzL0luY3Vyc2lvbkNvcmVEZXN0YWJsaXNlciIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/e613c14ed7/IncursionCoreDestabliser.png"},{"id":"ancient-infuser","text":"Ancient Infuser","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvSW5jdXJzaW9uQ3JhZnRpbmdPcmJzL0luY3Vyc2lvbkFuY2llbnRJbmZ1c2lvbiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/7d23730590/IncursionAncientInfusion.png"},{"id":"vaal-cultivation-orb","text":"Vaal Cultivation Orb","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvSW5jdXJzaW9uQ3JhZnRpbmdPcmJzL0luY3Vyc2lvbkhpc3RvcmljVmFhbE9yYiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/07d4d75931/IncursionHistoricVaalOrb.png"},{"id":"vaal-infuser","text":"Vaal Infuser","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvSW5jdXJzaW9uQ3JhZnRpbmdPcmJzL0luY3Vyc2lvblZhYWxJbmZ1c2VyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/4086f16d49/IncursionVaalInfuser.png"},{"id":"orb-of-extraction","text":"Orb of Extraction","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvSW5jdXJzaW9uQ3JhZnRpbmdPcmJzL0luY3Vyc2lvblNvY2tldGFibGVFeHRyYWN0b3JDdXJyZW5jeSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/dae9dfbb5e/IncursionSocketableExtractorCurrency.png"},{"id":"vaal-siphoner","text":"Vaal Siphoner","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvSW5jdXJzaW9uQ3JhZnRpbmdPcmJzL0luY3Vyc2lvblZhYWxTaXBob25lciIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/070fd020d7/IncursionVaalSiphoner.png"},{"id":"sep","text":"Augments"},{"id":"guatelitzis-thesis","text":"Guatelitzi's Thesis","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUGVyZmVjdFNvdWxDb3Jlcy9Tb3VsQ29yZUJsb29kIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/eaea6fa77d/SoulCoreBlood.png"},{"id":"citaqualotls-thesis","text":"Citaqualotl's Thesis","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUGVyZmVjdFNvdWxDb3Jlcy9Tb3VsQ29yZVNhY3JpZmljZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/3992461883/SoulCoreSacrifice.png"},{"id":"jiquanis-thesis","text":"Jiquani's Thesis","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUGVyZmVjdFNvdWxDb3Jlcy9Tb3VsQ29yZVNvdWwiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/a45ab2bca2/SoulCoreSoul.png"},{"id":"quipolatls-thesis","text":"Quipolatl's Thesis","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUGVyZmVjdFNvdWxDb3Jlcy9Tb3VsQ29yZVNjaWVuY2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/2ab351d258/SoulCoreScience.png"}]},{"id":"Delirium","label":"Delirium","entries":[{"id":"simulacrum-splinter","text":"Simulacrum Splinter","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9EZWxpcml1bVNwbGludGVyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/81906b3522/DeliriumSplinter.png"},{"id":"simulacrum","text":"Simulacrum","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9EZWxpcml1bUZyYWdtZW50Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/9298d81279/DeliriumFragment.png"},{"id":"sep","text":"Liquid Emotions"},{"id":"diluted-liquid-ire","text":"Diluted Liquid Ire","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRGlzdGlsbGVkRW1vdGlvbnMvRGlsdXRlZERpc3RpbGxlZElyZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/623d6e522b/DilutedDistilledIre.png"},{"id":"diluted-liquid-guilt","text":"Diluted Liquid Guilt","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRGlzdGlsbGVkRW1vdGlvbnMvRGlsdXRlZERpc3RpbGxlZEd1aWx0Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/ddbd513a9b/DilutedDistilledGuilt.png"},{"id":"diluted-liquid-greed","text":"Diluted Liquid Greed","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRGlzdGlsbGVkRW1vdGlvbnMvRGlsdXRlZERpc3RpbGxlZEdyZWVkIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/ddec210bbb/DilutedDistilledGreed.png"},{"id":"liquid-paranoia","text":"Liquid Paranoia","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRGlzdGlsbGVkRW1vdGlvbnMvRGlzdGlsbGVkUGFyYW5vaWEiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/279e807e8f/DistilledParanoia.png"},{"id":"liquid-envy","text":"Liquid Envy","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRGlzdGlsbGVkRW1vdGlvbnMvRGlzdGlsbGVkRW52eSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/abf219916e/DistilledEnvy.png"},{"id":"liquid-disgust","text":"Liquid Disgust","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRGlzdGlsbGVkRW1vdGlvbnMvRGlzdGlsbGVkRGlzZ3VzdCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/f462426de0/DistilledDisgust.png"},{"id":"liquid-despair","text":"Liquid Despair","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRGlzdGlsbGVkRW1vdGlvbnMvRGlzdGlsbGVkRGVzcGFpciIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/c676bf7dae/DistilledDespair.png"},{"id":"concentrated-liquid-fear","text":"Concentrated Liquid Fear","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRGlzdGlsbGVkRW1vdGlvbnMvQ29uY2VudHJhdGVkRGlzdGlsbGVkRmVhciIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/2c3300fcdf/ConcentratedDistilledFear.png"},{"id":"concentrated-liquid-suffering","text":"Concentrated Liquid Suffering","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRGlzdGlsbGVkRW1vdGlvbnMvQ29uY2VudHJhdGVkRGlzdGlsbGVkU3VmZmVyaW5nIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/10b12c3875/ConcentratedDistilledSuffering.png"},{"id":"concentrated-liquid-isolation","text":"Concentrated Liquid Isolation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRGlzdGlsbGVkRW1vdGlvbnMvQ29uY2VudHJhdGVkRGlzdGlsbGVkSXNvbGF0aW9uIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/44ca2d19b9/ConcentratedDistilledIsolation.png"}]},{"id":"Breach","label":"Breach","entries":[{"id":"breach-splinter","text":"Breach Splinter","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQnJlYWNoL0JyZWFjaHN0b25lU3BsaW50ZXIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/4abb17ea8e/BreachstoneSplinter.png"},{"id":"breachstone","text":"Breachstone","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQnJlYWNoL0JyZWFjaHN0b25lIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/d60587d724/Breachstone.png"},{"id":"sep","text":"Catalysts"},{"id":"flesh-catalyst","text":"Flesh Catalyst","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQnJlYWNoL0JyZWFjaENhdGFseXN0TGlmZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/06ec489870/BreachCatalystLife.png"},{"id":"neural-catalyst","text":"Neural Catalyst","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQnJlYWNoL0JyZWFjaENhdGFseXN0TWFuYSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/61d3a7a832/BreachCatalystMana.png"},{"id":"carapace-catalyst","text":"Carapace Catalyst","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQnJlYWNoL0JyZWFjaENhdGFseXN0RGVmZW5jZXMiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/568ca70b04/BreachCatalystDefences.png"},{"id":"uul-netols-catalyst","text":"Uul-Netol's Catalyst","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQnJlYWNoL0JyZWFjaENhdGFseXN0UGh5c2ljYWwiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/bc9406c106/BreachCatalystPhysical.png"},{"id":"xophs-catalyst","text":"Xoph's Catalyst","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQnJlYWNoL0JyZWFjaENhdGFseXN0RmlyZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/05b1999374/BreachCatalystFire.png"},{"id":"tuls-catalyst","text":"Tul's Catalyst","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQnJlYWNoL0JyZWFjaENhdGFseXN0Q29sZCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/c3bc9abf43/BreachCatalystCold.png"},{"id":"eshs-catalyst","text":"Esh's Catalyst","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQnJlYWNoL0JyZWFjaENhdGFseXN0TGlnaHRuaW5nIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/299e62fc33/BreachCatalystLightning.png"},{"id":"chayulas-catalyst","text":"Chayula's Catalyst","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQnJlYWNoL0JyZWFjaENhdGFseXN0Q2hhb3MiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/c80d8d7b1b/BreachCatalystChaos.png"},{"id":"reaver-catalyst","text":"Reaver Catalyst","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQnJlYWNoL0JyZWFjaENhdGFseXN0QXR0YWNrIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/ccc363f502/BreachCatalystAttack.png"},{"id":"sibilant-catalyst","text":"Sibilant Catalyst","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQnJlYWNoL0JyZWFjaENhdGFseXN0Q2FzdGVyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/51dc6bc317/BreachCatalystCaster.png"},{"id":"skittering-catalyst","text":"Skittering Catalyst","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQnJlYWNoL0JyZWFjaENhdGFseXN0U3BlZWQiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/14b5db3c3c/BreachCatalystSpeed.png"},{"id":"adaptive-catalyst","text":"Adaptive Catalyst","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQnJlYWNoL0JyZWFjaENhdGFseXN0QXR0cmlidXRlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/015f6c9ac8/BreachCatalystAttribute.png"}]},{"id":"Ritual","label":"Ritual","entries":[{"id":"petition-splinter","text":"Petition Splinter","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUml0dWFsL05ld1JpdHVhbFNwbGludGVyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/e88f32bf38/NewRitualSplinter.png"},{"id":"an-audience-with-the-king","text":"An Audience with the King","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUml0dWFsL1Zvb2Rvb0tpbmdFZmZpZ3kiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/0b02c113cc/VoodooKingEffigy.png"},{"id":"sep","text":"Omens"},{"id":"omen-of-refreshment","text":"Omen of Refreshment","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvVm9vZG9vT21lbnMxQmx1ZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/213474d1d5/VoodooOmens1Blue.png"},{"id":"omen-of-resurgence","text":"Omen of Resurgence","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvVm9vZG9vT21lbnMyQmx1ZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/044d5086da/VoodooOmens2Blue.png"},{"id":"omen-of-amelioration","text":"Omen of Amelioration","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvVm9vZG9vT21lbnMzQmx1ZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/b5ee965352/VoodooOmens3Blue.png"},{"id":"omen-of-whittling","text":"Omen of Whittling","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvVm9vZG9vT21lbnMxRGFyayIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/2dea0999d5/VoodooOmens1Dark.png"},{"id":"omen-of-sinistral-erasure","text":"Omen of Sinistral Erasure","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvVm9vZG9vT21lbnMyRGFyayIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/0cfa6959be/VoodooOmens2Dark.png"},{"id":"omen-of-dextral-erasure","text":"Omen of Dextral Erasure","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvVm9vZG9vT21lbnMzRGFyayIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/6e2bb52963/VoodooOmens3Dark.png"},{"id":"omen-of-corruption","text":"Omen of Corruption","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvVm9vZG9vT21lbnMzUmVkIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/9cfdcc9e1a/VoodooOmens3Red.png"},{"id":"omen-of-greater-exaltation","text":"Omen of Greater Exaltation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvVm9vZG9vT21lbnMxWWVsbG93Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/22d9b6478d/VoodooOmens1Yellow.png"},{"id":"omen-of-sinistral-exaltation","text":"Omen of Sinistral Exaltation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvVm9vZG9vT21lbnMyWWVsbG93Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/6d316b47ee/VoodooOmens2Yellow.png"},{"id":"omen-of-dextral-exaltation","text":"Omen of Dextral Exaltation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvVm9vZG9vT21lbnMzWWVsbG93Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/ed7cf06fa4/VoodooOmens3Yellow.png"},{"id":"omen-of-sinistral-annulment","text":"Omen of Sinistral Annulment","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvVm9vZG9vT21lbnMyUHVycGxlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/b9eaf38592/VoodooOmens2Purple.png"},{"id":"omen-of-dextral-annulment","text":"Omen of Dextral Annulment","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvVm9vZG9vT21lbnMzUHVycGxlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/d901658529/VoodooOmens3Purple.png"},{"id":"omen-of-answered-prayers","text":"Omen of Answered Prayers","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvVm9vZG9vT21lbnM0Qmx1ZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ba21c85554/VoodooOmens4Blue.png"},{"id":"omen-of-the-hunt","text":"Omen of the Hunt","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvVm9vZG9vT21lbnM0R3JlZW4iLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/4800eedd0e/VoodooOmens4Green.png"},{"id":"omen-of-reinforcements","text":"Omen of Reinforcements","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvVm9vZG9vT21lbnM0UHVycGxlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/bed352248c/VoodooOmens4Purple.png"},{"id":"omen-of-secret-compartments","text":"Omen of Secret Compartments","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvVm9vZG9vT21lbnM0RGFyayIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/a152f2714f/VoodooOmens4Dark.png"},{"id":"omen-of-homogenising-exaltation","text":"Omen of Homogenising Exaltation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uRXhhbHRBZGRFeGlzdGluZ01vZFR5cGUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/298d666008/OmenOnExaltAddExistingModType.png"},{"id":"omen-of-homogenising-coronation","text":"Omen of Homogenising Coronation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uUmVnYWxBZGRFeGlzdGluZ01vZFR5cGUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/314f84e4dd/OmenOnRegalAddExistingModType.png"},{"id":"omen-of-gambling","text":"Omen of Gambling","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbkdhbWJsZU5vR29sZENvc3QiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/90225aff24/OmenGambleNoGoldCost.png"},{"id":"omen-of-bartering","text":"Omen of Bartering","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lblNlbGxWZW5kb3JSYW5kb21pc2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/12ef99da8b/OmenSellVendorRandomise.png"},{"id":"omen-of-recombination","text":"Omen of Recombination","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lblJlY29tYmluYXRpb24iLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/e1a3cca5ee/OmenRecombination.png"},{"id":"omen-of-the-blessed","text":"Omen of the Blessed","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uRGl2aW5lUmVyb2xsSW1wbGljaXRzIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/d910191d85/OmenOnDivineRerollImplicits.png"},{"id":"omen-of-chaotic-rarity","text":"Omen of Chaotic Rarity","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uQ2hhb3NNYXBJdGVtUmFyaXR5Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/e7d9f8657d/OmenOnChaosMapItemRarity.png"},{"id":"omen-of-chaotic-quantity","text":"Omen of Chaotic Quantity","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uQ2hhb3NNYXBQYWNrU2l6ZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/9ea6c86009/OmenOnChaosMapPackSize.png"},{"id":"omen-of-chaotic-monsters","text":"Omen of Chaotic Monsters","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uQ2hhb3NNYXBJdGVtUXVhbnRpdHkiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/dcd21d0252/OmenOnChaosMapItemQuantity.png"},{"id":"omen-of-chance","text":"Omen of Chance","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uQ2hhbmNlTm90RGVzdHJveSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/461b794959/OmenOnChanceNotDestroy.png"},{"id":"omen-of-the-ancients","text":"Omen of the Ancients","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uQ2hhbmNlQW5jaWVudE9yYiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/6392c12c6d/OmenOnChanceAncientOrb.png"},{"id":"omen-of-sanctification","text":"Omen of Sanctification","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uRGl2aW5lU2FuY3RpZnkiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/895416b2b9/OmenOnDivineSanctify.png"},{"id":"omen-of-dextral-crystallisation","text":"Omen of Dextral Crystallisation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uUGVyZmVjdEVzc2VuY2VTdWZmaXgiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/7ec019819e/OmenOnPerfectEssenceSuffix.png"},{"id":"omen-of-sinistral-crystallisation","text":"Omen of Sinistral Crystallisation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uUGVyZmVjdEVzc2VuY2VQcmVmaXgiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/75263d6201/OmenOnPerfectEssencePrefix.png"},{"id":"omen-of-catalysing-exaltation","text":"Omen of Catalysing Exaltation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uRXhhbHRDb25zdW1lUXVhbGl0eSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ca4d0db767/OmenOnExaltConsumeQuality.png"},{"id":"omen-of-abyssal-favours","text":"Omen of Abyssal Echoes","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uQWJ5c3NSZXJvbGxPcHRpb25zIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/9690f99016/OmenOnAbyssRerollOptions.png"},{"id":"omen-of-the-sovereign","text":"Omen of the Sovereign","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uQWJ5c3NHdWFyZW50ZWVkTGljaFR5cGVNb2QxIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/a4962e6d7b/OmenOnAbyssGuarenteedLichTypeMod1.png"},{"id":"omen-of-the-liege","text":"Omen of the Liege","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uQWJ5c3NHdWFyZW50ZWVkTGljaFR5cGVNb2QyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/675e1d439a/OmenOnAbyssGuarenteedLichTypeMod2.png"},{"id":"omen-of-the-blackblooded","text":"Omen of the Blackblooded","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uQWJ5c3NHdWFyZW50ZWVkTGljaFR5cGVNb2QzIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/7fe7335409/OmenOnAbyssGuarenteedLichTypeMod3.png"},{"id":"omen-of-putrefaction","text":"Omen of Putrefaction","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uQWJ5c3NWZWlsQWxsQW5kQ29ycnVwdCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/8c706ec466/OmenOnAbyssVeilAllAndCorrupt.png"},{"id":"omen-of-light","text":"Omen of Light","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uQW5udWxSZW1vdmVBYnlzc01vZCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/eb39bcb3d7/OmenOnAnnulRemoveAbyssMod.png"},{"id":"omen-of-sinistral-necromancy","text":"Omen of Sinistral Necromancy","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uQWJ5c3NBZGRQcmVmaXhlcyIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/1c0a646414/OmenOnAbyssAddPrefixes.png"},{"id":"omen-of-dextral-necromancy","text":"Omen of Dextral Necromancy","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvT21lbnMvT21lbk9uQWJ5c3NBZGRTdWZmaXhlcyIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/93e1dd20ce/OmenOnAbyssAddSuffixes.png"}]},{"id":"Expedition","label":"Expedition","entries":[{"id":"exotic-coinage","text":"Exotic Coinage","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXhwZWRpdGlvbi9CYXJ0ZXJSZWZyZXNoQ3VycmVuY3kiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/8a4fe1f468/BarterRefreshCurrency.png"},{"id":"broken-circle-artifact","text":"Broken Circle Artifact","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXhwZWRpdGlvbi9SdW5lMTYiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/46b487f53f/Rune16.png"},{"id":"black-scythe-artifact","text":"Black Scythe Artifact","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXhwZWRpdGlvbi9SdW5lNiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/2260f34070/Rune6.png"},{"id":"order-artifact","text":"Order Artifact","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXhwZWRpdGlvbi9SdW5lMTMiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/47a41c9782/Rune13.png"},{"id":"sun-artifact","text":"Sun Artifact","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXhwZWRpdGlvbi9SdW5lMTciLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/ca2335fdef/Rune17.png"}]},{"id":"Fragments","label":"Fragments","entries":[{"id":"idol-of-estazunti","text":"Idol of Estazunti","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvUXVlc3RJdGVtcy9WYWFsR29sZGVuRmlndXJlS2V5Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/3973ea9ab1/VaalGoldenFigureKey.png"},{"id":"runic-splinter","text":"Runic Splinter","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXhwZWRpdGlvbi9FeHBlZGl0aW9uU3BsaW50ZXIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/4768efb2c6/ExpeditionSplinter.png"},{"id":"kulemaks-invitation","text":"Kulemak's Invitation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvS3VsZW1ha3NJbnZpdGF0aW9uIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/c7e6e86681/KulemaksInvitation.png"},{"id":"sep","text":"Ultimatum Fragments"},{"id":"cowardly-fate","text":"Cowardly Fate","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL1RyaWFsbWFzdGVyS2V5MSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/661ab60074/TrialmasterKey1.png"},{"id":"deadly-fate","text":"Deadly Fate","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL1RyaWFsbWFzdGVyS2V5MiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/cccae44832/TrialmasterKey2.png"},{"id":"victorious-fate","text":"Victorious Fate","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL1RyaWFsbWFzdGVyS2V5MyIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/0270951a73/TrialmasterKey3.png"},{"id":"sep","text":"Pinnacle Fragments"},{"id":"ancient-crisis-fragment","text":"Ancient Crisis Fragment","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvUXVlc3RJdGVtcy9QaW5uYWNsZUtleTEiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/ef329c74d1/PinnacleKey1.png"},{"id":"faded-crisis-fragment","text":"Faded Crisis Fragment","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvUXVlc3RJdGVtcy9QaW5uYWNsZUtleTIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/5709c39ee7/PinnacleKey2.png"},{"id":"weathered-crisis-fragment","text":"Weathered Crisis Fragment","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvUXVlc3RJdGVtcy9QaW5uYWNsZUtleTMiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/32e6544250/PinnacleKey3.png"},{"id":"primary-calamity-fragment","text":"Primary Calamity Fragment","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvUXVlc3RJdGVtcy9VYmVyUGlubmFjbGVLZXkxIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/fc0875d40b/UberPinnacleKey1.png"},{"id":"secondary-calamity-fragment","text":"Secondary Calamity Fragment","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvUXVlc3RJdGVtcy9VYmVyUGlubmFjbGVLZXkyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/0fec2b1925/UberPinnacleKey2.png"},{"id":"tertiary-calamity-fragment","text":"Tertiary Calamity Fragment","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvUXVlc3RJdGVtcy9VYmVyUGlubmFjbGVLZXkzIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/29665daa60/UberPinnacleKey3.png"},{"id":"sep","text":"Reliquary Keys"},{"id":"twilight-reliquary-key","text":"Twilight Reliquary Key","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9Ud2lsaWdodE9yZGVyUmVsaXF1YXJ5S2V5V29ybGQiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/27f2d492e7/TwilightOrderReliquaryKeyWorld.png"},{"id":"xeshts-reliquary-key","text":"Xesht's Reliquary Key","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9Ud2lsaWdodE9yZGVyUmVsaXF1YXJ5S2V5QnJlYWNoIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/866c9d5c45/TwilightOrderReliquaryKeyBreach.png"},{"id":"the-trialmasters-reliquary-key","text":"The Trialmaster's Reliquary Key","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9Ud2lsaWdodE9yZGVyUmVsaXF1YXJ5S2V5VWx0aW1hdHVtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/92ccd5ad96/TwilightOrderReliquaryKeyUltimatum.png"},{"id":"ritualistic-reliquary-key","text":"Ritualistic Reliquary Key","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9Ud2lsaWdodE9yZGVyUmVsaXF1YXJ5S2V5Uml0dWFsIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/d4d4229ab8/TwilightOrderReliquaryKeyRitual.png"},{"id":"tangmazus-reliquary-key","text":"Tangmazu's Reliquary Key","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9Ud2lsaWdodE9yZGVyUmVsaXF1YXJ5S2V5RGVsaXJpdW0iLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/1a87e735c6/TwilightOrderReliquaryKeyDelirium.png"},{"id":"olroths-reliquary-key","text":"Olroth's Reliquary Key","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9Ud2lsaWdodE9yZGVyUmVsaXF1YXJ5S2V5RXhwZWRpdGlvbiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/0433c7beb8/TwilightOrderReliquaryKeyExpedition.png"},{"id":"the-arbiters-reliquary-key","text":"The Arbiter's Reliquary Key","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9Ud2lsaWdodE9yZGVyUmVsaXF1YXJ5S2V5UGlubmFjbGUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/c2e7758a33/TwilightOrderReliquaryKeyPinnacle.png"},{"id":"against-the-darkness","text":"Zarokh's Reliquary Key: Against the Darkness","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9Ud2lsaWdodE9yZGVyUmVsaXF1YXJ5S2V5U2FuY3R1bTIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/a9e91de8f5/TwilightOrderReliquaryKeySanctum2.png"},{"id":"sandstorm-visage","text":"Zarokh's Reliquary Key: Sandstorm Visage","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9Ud2lsaWdodE9yZGVyUmVsaXF1YXJ5S2V5U2FuY3R1bTMiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/459f46bec9/TwilightOrderReliquaryKeySanctum3.png"},{"id":"blessed-bonds","text":"Zarokh's Reliquary Key: Blessed Bonds","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9Ud2lsaWdodE9yZGVyUmVsaXF1YXJ5S2V5U2FuY3R1bTQiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/518bd6603c/TwilightOrderReliquaryKeySanctum4.png"},{"id":"sekhemas-resolve","text":"Zarokh's Reliquary Key: Sekhema's Resolve","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9Ud2lsaWdodE9yZGVyUmVsaXF1YXJ5S2V5U2FuY3R1bTUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/b957956865/TwilightOrderReliquaryKeySanctum5.png"},{"id":"temporalis","text":"Zarokh's Reliquary Key: Temporalis","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9Ud2lsaWdodE9yZGVyUmVsaXF1YXJ5S2V5U2FuY3R1bTYiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/8aeeb6fc3d/TwilightOrderReliquaryKeySanctum6.png"},{"id":"rite-of-passage","text":"Azmeri Reliquary Key","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9Ud2lsaWdodE9yZGVyUmVsaXF1YXJ5S2V5QXptZXJpIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/cf47ea370f/TwilightOrderReliquaryKeyAzmeri.png"}]},{"id":"Abyss","label":"Abyssal Bones","entries":[{"id":"gnawed-jawbone","text":"Gnawed Jawbone","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQWJ5c3MvR25hd2VkSmF3Ym9uZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/6d343a5e8d/GnawedJawbone.png"},{"id":"preserved-jawbone","text":"Preserved Jawbone","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQWJ5c3MvUHJlc2VydmVkSmF3Ym9uZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/2bb7939b21/PreservedJawbone.png"},{"id":"ancient-jawbone","text":"Ancient Jawbone","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQWJ5c3MvQW5jaWVudEphd2JvbmUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/bff68187a6/AncientJawbone.png"},{"id":"gnawed-rib","text":"Gnawed Rib","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQWJ5c3MvR25hd2VkUmlicyIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/b0581454e6/GnawedRibs.png"},{"id":"preserved-rib","text":"Preserved Rib","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQWJ5c3MvUHJlc2VydmVkUmlicyIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/3676729ba0/PreservedRibs.png"},{"id":"ancient-rib","text":"Ancient Rib","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQWJ5c3MvQW5jaWVudFJpYnMiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/0c779c5d3f/AncientRibs.png"},{"id":"gnawed-collarbone","text":"Gnawed Collarbone","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQWJ5c3MvR25hd2VkQ2xhdmljbGUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/ff42f1ab47/GnawedClavicle.png"},{"id":"preserved-collarbone","text":"Preserved Collarbone","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQWJ5c3MvUHJlc2VydmVkQ2FsdmljbGUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/6f63f7462d/PreservedCalvicle.png"},{"id":"ancient-collarbone","text":"Ancient Collarbone","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQWJ5c3MvQW5jaWVudENsYXZpY2xlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/86b2c7a29a/AncientClavicle.png"},{"id":"preserved-cranium","text":"Preserved Cranium","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQWJ5c3MvUHJlc2VydmVkQ3Jhbml1bSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/791fdae503/PreservedCranium.png"},{"id":"preserved-vertebrae","text":"Preserved Vertebrae","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQWJ5c3MvUHJlc2VydmVkU3BpbmUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/6605f295c5/PreservedSpine.png"},{"id":"amanamus-gaze","text":"Amanamu's Gaze","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQWJ5c3NhbEV5ZVNvY2tldGFibGVzL0FtYW5hbXVzR2F6ZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/53ba66a7d4/AmanamusGaze.png"},{"id":"tecrods-gaze","text":"Tecrod's Gaze","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQWJ5c3NhbEV5ZVNvY2tldGFibGVzL1RlY3JvZHNHYXplIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/ef2a9355b4/TecrodsGaze.png"},{"id":"kurgals-gaze","text":"Kurgal's Gaze","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQWJ5c3NhbEV5ZVNvY2tldGFibGVzL0t1cmdhbHNHYXplIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/c21eb07bab/KurgalsGaze.png"},{"id":"ulamans-gaze","text":"Ulaman's Gaze","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvQWJ5c3NhbEV5ZVNvY2tldGFibGVzL1VsYW1hbnNHYXplIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/b39b0a03bc/UlamansGaze.png"},{"id":"abyss-key","text":"Kulemak's Invitation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvS3VsZW1ha3NJbnZpdGF0aW9uIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/c7e6e86681/KulemaksInvitation.png"}]},{"id":"Essences","label":"Essences","entries":[{"id":"lesser-essence-of-the-body","text":"Lesser Essence of the Body","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9MaWZlRXNzZW5jZUxlc3NlciIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/fb88bb3951/LifeEssenceLesser.png"},{"id":"lesser-essence-of-the-mind","text":"Lesser Essence of the Mind","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9NYW5hRXNzZW5jZUxlc3NlciIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/35a1d11465/ManaEssenceLesser.png"},{"id":"lesser-essence-of-enhancement","text":"Lesser Essence of Enhancement","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9EZWZlbmNlc0Vzc2VuY2VMZXNzZXIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/ec9da3aad1/DefencesEssenceLesser.png"},{"id":"lesser-essence-of-abrasion","text":"Lesser Essence of Abrasion","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9QaHlzaWNhbEVzc2VuY2VMZXNzZXIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/21723a9133/PhysicalEssenceLesser.png"},{"id":"lesser-essence-of-flames","text":"Lesser Essence of Flames","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9GaXJlRXNzZW5jZUxlc3NlciIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/2e190c2f7f/FireEssenceLesser.png"},{"id":"lesser-essence-of-insulation","text":"Lesser Essence of Insulation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9GaXJlUmVzaXN0YW5jZUVzc2VuY2VMZXNzZXIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/82eb38b617/FireResistanceEssenceLesser.png"},{"id":"lesser-essence-of-ice","text":"Lesser Essence of Ice","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9Db2xkRXNzZW5jZUxlc3NlciIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/7022aec9e5/ColdEssenceLesser.png"},{"id":"lesser-essence-of-thawing","text":"Lesser Essence of Thawing","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9Db2xkUmVzaXN0YW5jZUVzc2VuY2VMZXNzZXIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/5d324717c4/ColdResistanceEssenceLesser.png"},{"id":"lesser-essence-of-electricity","text":"Lesser Essence of Electricity","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9MaWdodG5pbmdFc3NlbmNlTGVzc2VyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/49193c5226/LightningEssenceLesser.png"},{"id":"lesser-essence-of-grounding","text":"Lesser Essence of Grounding","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9MaWdodG5pbmdSZXNpc3RhbmNlRXNzZW5jZUxlc3NlciIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/fa8f1431fb/LightningResistanceEssenceLesser.png"},{"id":"lesser-essence-of-ruin","text":"Lesser Essence of Ruin","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9DaGFvc0Vzc2VuY2VMZXNzZXIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/39ed21f57a/ChaosEssenceLesser.png"},{"id":"lesser-essence-of-command","text":"Lesser Essence of Command","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9BbGx5RXNzZW5jZUxlc3NlciIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/3681453df4/AllyEssenceLesser.png"},{"id":"lesser-essence-of-battle","text":"Lesser Essence of Battle","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9BdHRhY2tFc3NlbmNlTGVzc2VyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/7cff2d5df7/AttackEssenceLesser.png"},{"id":"lesser-essence-of-sorcery","text":"Lesser Essence of Sorcery","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9DYXN0ZXJFc3NlbmNlTGVzc2VyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/8b5c055fc7/CasterEssenceLesser.png"},{"id":"lesser-essence-of-haste","text":"Lesser Essence of Haste","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9TcGVlZEVzc2VuY2VMZXNzZXIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/e01693a14c/SpeedEssenceLesser.png"},{"id":"lesser-essence-of-alacrity","text":"Lesser Essence of Alacrity","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9TcGVlZENhc3RlckVzc2VuY2VMZXNzZXIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/837a9c2d66/SpeedCasterEssenceLesser.png"},{"id":"lesser-essence-of-the-infinite","text":"Lesser Essence of the Infinite","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9BdHRyaWJ1dGVFc3NlbmNlTGVzc2VyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/6110d3af93/AttributeEssenceLesser.png"},{"id":"lesser-essence-of-seeking","text":"Lesser Essence of Seeking","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9Dcml0aWNhbEVzc2VuY2VMZXNzZXIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/beef996420/CriticalEssenceLesser.png"},{"id":"lesser-essence-of-opulence","text":"Lesser Essence of Opulence","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9SYXJpdHlSZXNpc3RhbmNlRXNzZW5jZUxlc3NlciIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/9d85275442/RarityResistanceEssenceLesser.png"},{"id":"essence-of-the-body","text":"Essence of the Body","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9MaWZlRXNzZW5jZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/638d6c4cbe/LifeEssence.png"},{"id":"essence-of-the-mind","text":"Essence of the Mind","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9NYW5hRXNzZW5jZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/c881e6273c/ManaEssence.png"},{"id":"essence-of-enhancement","text":"Essence of Enhancement","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9EZWZlbmNlc0Vzc2VuY2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/e1e5c1ccb8/DefencesEssence.png"},{"id":"essence-of-abrasion","text":"Essence of Abrasion","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9QaHlzaWNhbEVzc2VuY2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/e52cd05eeb/PhysicalEssence.png"},{"id":"essence-of-flames","text":"Essence of Flames","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9GaXJlRXNzZW5jZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/add6c12f64/FireEssence.png"},{"id":"essence-of-insulation","text":"Essence of Insulation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9GaXJlUmVzaXN0YW5jZUVzc2VuY2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/228d48a458/FireResistanceEssence.png"},{"id":"essence-of-ice","text":"Essence of Ice","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9Db2xkRXNzZW5jZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/73d9fd8619/ColdEssence.png"},{"id":"essence-of-thawing","text":"Essence of Thawing","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9Db2xkUmVzaXN0YW5jZUVzc2VuY2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/d36e512699/ColdResistanceEssence.png"},{"id":"essence-of-electricity","text":"Essence of Electricity","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9MaWdodG5pbmdFc3NlbmNlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/2c3725fdad/LightningEssence.png"},{"id":"essence-of-grounding","text":"Essence of Grounding","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9MaWdodG5pbmdSZXNpc3RhbmNlRXNzZW5jZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/f752fa5ed2/LightningResistanceEssence.png"},{"id":"essence-of-ruin","text":"Essence of Ruin","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9DaGFvc0Vzc2VuY2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/5f0d3c7014/ChaosEssence.png"},{"id":"essence-of-command","text":"Essence of Command","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9BbGx5RXNzZW5jZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/7150f695c2/AllyEssence.png"},{"id":"essence-of-battle","text":"Essence of Battle","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9BdHRhY2tFc3NlbmNlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/3cece29e19/AttackEssence.png"},{"id":"essence-of-sorcery","text":"Essence of Sorcery","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9DYXN0ZXJFc3NlbmNlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/6bb099115a/CasterEssence.png"},{"id":"essence-of-haste","text":"Essence of Haste","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9TcGVlZEVzc2VuY2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/affda36f07/SpeedEssence.png"},{"id":"essence-of-alacrity","text":"Essence of Alacrity","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9TcGVlZENhc3RlckVzc2VuY2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/2a866d411b/SpeedCasterEssence.png"},{"id":"essence-of-the-infinite","text":"Essence of the Infinite","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9BdHRyaWJ1dGVFc3NlbmNlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/58f9516082/AttributeEssence.png"},{"id":"essence-of-seeking","text":"Essence of Seeking","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9Dcml0aWNhbEVzc2VuY2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/febf231da7/CriticalEssence.png"},{"id":"essence-of-opulence","text":"Essence of Opulence","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9SYXJpdHlSZXNpc3RhbmNlRXNzZW5jZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/1b79acb619/RarityResistanceEssence.png"},{"id":"greater-essence-of-the-body","text":"Greater Essence of the Body","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyTGlmZUVzc2VuY2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/8906b401fe/GreaterLifeEssence.png"},{"id":"greater-essence-of-the-mind","text":"Greater Essence of the Mind","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyTWFuYUVzc2VuY2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/f9e17e6d47/GreaterManaEssence.png"},{"id":"greater-essence-of-enhancement","text":"Greater Essence of Enhancement","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyRGVmZW5jZXNFc3NlbmNlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/a0ed2df82c/GreaterDefencesEssence.png"},{"id":"greater-essence-of-abrasion","text":"Greater Essence of Abrasion","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyUGh5c2ljYWxFc3NlbmNlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/a28c932def/GreaterPhysicalEssence.png"},{"id":"greater-essence-of-flames","text":"Greater Essence of Flames","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyRmlyZUVzc2VuY2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/9b8d6e7b4e/GreaterFireEssence.png"},{"id":"greater-essence-of-insulation","text":"Greater Essence of Insulation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyRmlyZVJlc2lzdGFuY2VFc3NlbmNlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/e5b663f414/GreaterFireResistanceEssence.png"},{"id":"greater-essence-of-ice","text":"Greater Essence of Ice","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyQ29sZEVzc2VuY2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/e5224bace0/GreaterColdEssence.png"},{"id":"greater-essence-of-thawing","text":"Greater Essence of Thawing","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyQ29sZFJlc2lzdGFuY2VFc3NlbmNlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/acdbacca0f/GreaterColdResistanceEssence.png"},{"id":"greater-essence-of-electricity","text":"Greater Essence of Electricity","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyTGlnaHRuaW5nRXNzZW5jZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/c6df464bb9/GreaterLightningEssence.png"},{"id":"greater-essence-of-grounding","text":"Greater Essence of Grounding","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyTGlnaHRuaW5nUmVzaXN0YW5jZUVzc2VuY2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/fd9d91c76a/GreaterLightningResistanceEssence.png"},{"id":"greater-essence-of-ruin","text":"Greater Essence of Ruin","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyQ2hhb3NFc3NlbmNlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/5c71ec7418/GreaterChaosEssence.png"},{"id":"greater-essence-of-command","text":"Greater Essence of Command","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyQWxseUVzc2VuY2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/55b6ba3361/GreaterAllyEssence.png"},{"id":"greater-essence-of-battle","text":"Greater Essence of Battle","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyQXR0YWNrRXNzZW5jZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/e2bb5332b8/GreaterAttackEssence.png"},{"id":"greater-essence-of-sorcery","text":"Greater Essence of Sorcery","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyQ2FzdGVyRXNzZW5jZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/14b7e4c8ef/GreaterCasterEssence.png"},{"id":"greater-essence-of-haste","text":"Greater Essence of Haste","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyU3BlZWRFc3NlbmNlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/5a72f95c24/GreaterSpeedEssence.png"},{"id":"greater-essence-of-alacrity","text":"Greater Essence of Alacrity","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyU3BlZWRDYXN0ZXJFc3NlbmNlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/b77c25162f/GreaterSpeedCasterEssence.png"},{"id":"greater-essence-of-the-infinite","text":"Greater Essence of the Infinite","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyQXR0cmlidXRlRXNzZW5jZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/8a8cb823af/GreaterAttributeEssence.png"},{"id":"greater-essence-of-seeking","text":"Greater Essence of Seeking","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyQ3JpdGljYWxFc3NlbmNlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/db4eadee00/GreaterCriticalEssence.png"},{"id":"greater-essence-of-opulence","text":"Greater Essence of Opulence","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9HcmVhdGVyUmFyaXR5UmVzaXN0YW5jZUVzc2VuY2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/dfc7c22676/GreaterRarityResistanceEssence.png"},{"id":"sep","text":""},{"id":"perfect-essence-of-the-body","text":"Perfect Essence of the Body","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9MaWZlRXNzZW5jZVBlcmZlY3QiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/09083af8bb/LifeEssencePerfect.png"},{"id":"perfect-essence-of-the-mind","text":"Perfect Essence of the Mind","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9NYW5hRXNzZW5jZVBlcmZlY3QiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/84410174b2/ManaEssencePerfect.png"},{"id":"perfect-essence-of-enhancement","text":"Perfect Essence of Enhancement","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9EZWZlbmNlc0Vzc2VuY2VQZXJmZWN0Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/dd5b00f215/DefencesEssencePerfect.png"},{"id":"perfect-essence-of-abrasion","text":"Perfect Essence of Abrasion","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9QaHlzaWNhbEVzc2VuY2VQZXJmZWN0Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/9690e5eb39/PhysicalEssencePerfect.png"},{"id":"perfect-essence-of-flames","text":"Perfect Essence of Flames","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9GaXJlRXNzZW5jZVBlcmZlY3QiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/d5669e7c9c/FireEssencePerfect.png"},{"id":"perfect-essence-of-insulation","text":"Perfect Essence of Insulation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9GaXJlUmVzaXN0YW5jZUVzc2VuY2VQZXJmZWN0Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/133d10b42e/FireResistanceEssencePerfect.png"},{"id":"perfect-essence-of-ice","text":"Perfect Essence of Ice","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9Db2xkRXNzZW5jZVBlcmZlY3QiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/f4d0008973/ColdEssencePerfect.png"},{"id":"perfect-essence-of-thawing","text":"Perfect Essence of Thawing","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9Db2xkUmVzaXN0YW5jZUVzc2VuY2VQZXJmZWN0Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/71b05376d6/ColdResistanceEssencePerfect.png"},{"id":"perfect-essence-of-electricity","text":"Perfect Essence of Electricity","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9MaWdodG5pbmdFc3NlbmNlUGVyZmVjdCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/8c53c73716/LightningEssencePerfect.png"},{"id":"perfect-essence-of-grounding","text":"Perfect Essence of Grounding","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9MaWdodG5pbmdSZXNpc3RhbmNlRXNzZW5jZVBlcmZlY3QiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/10c362c717/LightningResistanceEssencePerfect.png"},{"id":"perfect-essence-of-ruin","text":"Perfect Essence of Ruin","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9DaGFvc0Vzc2VuY2VQZXJmZWN0Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/ab17828e71/ChaosEssencePerfect.png"},{"id":"perfect-essence-of-command","text":"Perfect Essence of Command","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9BbGx5RXNzZW5jZVBlcmZlY3QiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/0e06dceedc/AllyEssencePerfect.png"},{"id":"perfect-essence-of-battle","text":"Perfect Essence of Battle","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9BdHRhY2tFc3NlbmNlUGVyZmVjdCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/4e86ee5d8d/AttackEssencePerfect.png"},{"id":"perfect-essence-of-sorcery","text":"Perfect Essence of Sorcery","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9DYXN0ZXJFc3NlbmNlUGVyZmVjdCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/5aa3698010/CasterEssencePerfect.png"},{"id":"perfect-essence-of-haste","text":"Perfect Essence of Haste","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9TcGVlZEVzc2VuY2VQZXJmZWN0Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/93df0c5b25/SpeedEssencePerfect.png"},{"id":"perfect-essence-of-alacrity","text":"Perfect Essence of Alacrity","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9TcGVlZENhc3RlckVzc2VuY2VQZXJmZWN0Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/7108cba28f/SpeedCasterEssencePerfect.png"},{"id":"perfect-essence-of-the-infinite","text":"Perfect Essence of the Infinite","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9BdHRyaWJ1dGVFc3NlbmNlUGVyZmVjdCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ed201cbcb3/AttributeEssencePerfect.png"},{"id":"perfect-essence-of-seeking","text":"Perfect Essence of Seeking","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9Dcml0aWNhbEVzc2VuY2VQZXJmZWN0Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/3d5125e9d6/CriticalEssencePerfect.png"},{"id":"perfect-essence-of-opulence","text":"Perfect Essence of Opulence","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9SYXJpdHlSZXNpc3RhbmNlRXNzZW5jZVBlcmZlY3QiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/86dd0d0b4d/RarityResistanceEssencePerfect.png"},{"id":"sep","text":""},{"id":"essence-of-hysteria","text":"Essence of Hysteria","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9Db3JydXB0ZWRFc3NlbmNlSHlzdGVyaWEiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/91e94f1413/CorruptedEssenceHysteria.png"},{"id":"essence-of-delirium","text":"Essence of Delirium","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9Db3JydXB0ZWRFc3NlbmNlRGVsaXJpdW0iLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/d67329e6ed/CorruptedEssenceDelirium.png"},{"id":"essence-of-horror","text":"Essence of Horror","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9Db3JydXB0ZWRFc3NlbmNlSG9ycm9yIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/6b3b256279/CorruptedEssenceHorror.png"},{"id":"essence-of-insanity","text":"Essence of Insanity","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9Db3JydXB0ZWRFc3NlbmNlSW5zYW5pdHkiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/2231419c93/CorruptedEssenceInsanity.png"},{"id":"essence-of-abyss","text":"Essence of the Abyss","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvRXNzZW5jZS9BYnlzc2FsRXNzZW5jZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/3a286394d4/AbyssalEssence.png"}]},{"id":"Runes","label":"Runes","entries":[{"id":"lesser-desert-rune","text":"Lesser Desert Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvRmlyZVJ1bmVUaWVyMSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/fdc8d95dd7/FireRuneTier1.png"},{"id":"lesser-glacial-rune","text":"Lesser Glacial Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvQ29sZFJ1bmVUaWVyMSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/69c7e6d2a3/ColdRuneTier1.png"},{"id":"lesser-storm-rune","text":"Lesser Storm Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTGlnaHRuaW5nUnVuZVRpZXIxIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/c84f26f318/LightningRuneTier1.png"},{"id":"lesser-iron-rune","text":"Lesser Iron Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvRW5oYW5jZVJ1bmVUaWVyMSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/719e7a07b9/EnhanceRuneTier1.png"},{"id":"lesser-body-rune","text":"Lesser Body Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTGlmZVJ1bmVUaWVyMSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/edcef0a1c6/LifeRuneTier1.png"},{"id":"lesser-mind-rune","text":"Lesser Mind Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTWFuYVJ1bmVUaWVyMSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/7ae4e735dd/ManaRuneTier1.png"},{"id":"lesser-rebirth-rune","text":"Lesser Rebirth Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTGlmZVJlY292ZXJ5UnVuZVRpZXIxIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/6ef2915508/LifeRecoveryRuneTier1.png"},{"id":"lesser-inspiration-rune","text":"Lesser Inspiration Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTWFuYVJlY292ZXJ5UnVuZVRpZXIxIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/965d9a093b/ManaRecoveryRuneTier1.png"},{"id":"lesser-stone-rune","text":"Lesser Stone Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvU3R1blJ1bmVUaWVyMSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/904db23238/StunRuneTier1.png"},{"id":"lesser-vision-rune","text":"Lesser Vision Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvQWNjdXJhY3lSdW5lVGllcjEiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/2a3b508ed5/AccuracyRuneTier1.png"},{"id":"lesser-robust-rune","text":"Lesser Robust Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvU3RyZW5ndGhSdW5lVGllcjEiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/a90800a313/StrengthRuneTier1.png"},{"id":"lesser-adept-rune","text":"Lesser Adept Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvRGV4UnVuZVRpZXIxIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/1a9c8cae19/DexRuneTier1.png"},{"id":"lesser-resolve-rune","text":"Lesser Resolve Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvSW50UnVuZVRpZXIxIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/5d21464699/IntRuneTier1.png"},{"id":"sep","text":""},{"id":"desert-rune","text":"Desert Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvRmlyZVJ1bmUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/eeabf0e7a0/FireRune.png"},{"id":"glacial-rune","text":"Glacial Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvQ29sZFJ1bmUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/499bfe179a/ColdRune.png"},{"id":"storm-rune","text":"Storm Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTGlnaHRuaW5nUnVuZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/98319b3998/LightningRune.png"},{"id":"iron-rune","text":"Iron Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvRW5oYW5jZVJ1bmUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/cfeb426ee0/EnhanceRune.png"},{"id":"body-rune","text":"Body Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTGlmZVJ1bmUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/a09dcb651b/LifeRune.png"},{"id":"mind-rune","text":"Mind Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTWFuYVJ1bmUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/4be6331480/ManaRune.png"},{"id":"rebirth-rune","text":"Rebirth Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTGlmZVJlY292ZXJ5UnVuZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/bbbb060773/LifeRecoveryRune.png"},{"id":"inspiration-rune","text":"Inspiration Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTWFuYVJlY292ZXJ5UnVuZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/5154db8cf8/ManaRecoveryRune.png"},{"id":"stone-rune","text":"Stone Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvU3R1blJ1bmUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/f7830fb594/StunRune.png"},{"id":"vision-rune","text":"Vision Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvQWNjdXJhY3lSdW5lIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/8e7841f0ef/AccuracyRune.png"},{"id":"robust-rune","text":"Robust Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvU3RyZW5ndGhSdW5lIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/1e585207d2/StrengthRune.png"},{"id":"adept-rune","text":"Adept Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvRGV4UnVuZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/efa54e5585/DexRune.png"},{"id":"resolve-rune","text":"Resolve Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvSW50UnVuZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/d988cf54fc/IntRune.png"},{"id":"sep","text":""},{"id":"greater-desert-rune","text":"Greater Desert Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvRmlyZVJ1bmVUaWVyMiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/2c6986b94c/FireRuneTier2.png"},{"id":"greater-glacial-rune","text":"Greater Glacial Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvQ29sZFJ1bmVUaWVyMiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/9770dc929d/ColdRuneTier2.png"},{"id":"greater-storm-rune","text":"Greater Storm Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTGlnaHRuaW5nUnVuZVRpZXIyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/47c9eb3f9e/LightningRuneTier2.png"},{"id":"greater-iron-rune","text":"Greater Iron Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvRW5oYW5jZVJ1bmVUaWVyMiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/5fdc6a72ed/EnhanceRuneTier2.png"},{"id":"greater-body-rune","text":"Greater Body Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTGlmZVJ1bmVUaWVyMiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/c553b97136/LifeRuneTier2.png"},{"id":"greater-mind-rune","text":"Greater Mind Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTWFuYVJ1bmVUaWVyMiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/49619b701f/ManaRuneTier2.png"},{"id":"greater-rebirth-rune","text":"Greater Rebirth Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTGlmZVJlY292ZXJ5UnVuZVRpZXIyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/41b22fb4e5/LifeRecoveryRuneTier2.png"},{"id":"greater-inspiration-rune","text":"Greater Inspiration Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTWFuYVJlY292ZXJ5UnVuZVRpZXIyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/9c6cc572d8/ManaRecoveryRuneTier2.png"},{"id":"greater-stone-rune","text":"Greater Stone Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvU3R1blJ1bmVUaWVyMiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/836627f793/StunRuneTier2.png"},{"id":"greater-vision-rune","text":"Greater Vision Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvQWNjdXJhY3lSdW5lVGllcjIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/88ab9b96b4/AccuracyRuneTier2.png"},{"id":"greater-robust-rune","text":"Greater Robust Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvU3RyZW5ndGhSdW5lVGllcjMiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/bb0d433340/StrengthRuneTier3.png"},{"id":"greater-adept-rune","text":"Greater Adept Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvRGV4UnVuZVRpZXIzIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/cf55763192/DexRuneTier3.png"},{"id":"greater-resolve-rune","text":"Greater Resolve Rune","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvSW50UnVuZVRpZXIzIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/badef31810/IntRuneTier3.png"},{"id":"sep","text":""},{"id":"greater-rune-of-leadership","text":"Greater Rune of Leadership","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTGlnaHRuaW5nUnVuZVNwZWNpYWwxIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/81a3fe75a5/LightningRuneSpecial1.png"},{"id":"greater-rune-of-tithing","text":"Greater Rune of Tithing","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTGlnaHRuaW5nUnVuZVNwZWNpYWwyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/369dd670ba/LightningRuneSpecial2.png"},{"id":"greater-rune-of-alacrity","text":"Greater Rune of Alacrity","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTGlnaHRuaW5nUnVuZVNwZWNpYWwzIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/633300b884/LightningRuneSpecial3.png"},{"id":"greater-rune-of-nobility","text":"Greater Rune of Nobility","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTGlnaHRuaW5nUnVuZVNwZWNpYWw0Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/5ffcde6ca9/LightningRuneSpecial4.png"},{"id":"hedgewitch-assandras-rune-of-wisdom","text":"Hedgewitch Assandra's Rune of Wisdom","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTEiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/ea21196cfb/NewRune1.png"},{"id":"saqawals-rune-of-the-sky","text":"Saqawal's Rune of the Sky","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/7c3f68cf1c/NewRune2.png"},{"id":"fenumus-rune-of-agony","text":"Fenumus' Rune of Agony","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTMiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/b8711ef6c2/NewRune3.png"},{"id":"farruls-rune-of-grace","text":"Farrul's Rune of Grace","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTQiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/1ca9b19776/NewRune4.png"},{"id":"farruls-rune-of-the-chase","text":"Farrul's Rune of the Chase","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/5029b70d64/NewRune5.png"},{"id":"craiceanns-rune-of-warding","text":"Craiceann's Rune of Warding","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTYiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/677fca20e0/NewRune6.png"},{"id":"saqawals-rune-of-memory","text":"Saqawal's Rune of Memory","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTciLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/6a71f0e666/NewRune7.png"},{"id":"saqawals-rune-of-erosion","text":"Saqawal's Rune of Erosion","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTgiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/63347aa4f1/NewRune8.png"},{"id":"farruls-rune-of-the-hunt","text":"Farrul's Rune of the Hunt","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTkiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/8040a2785b/NewRune9.png"},{"id":"craiceanns-rune-of-recovery","text":"Craiceann's Rune of Recovery","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTEwIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/96c722e7d3/NewRune10.png"},{"id":"courtesan-mannans-rune-of-cruelty","text":"Courtesan Mannan's Rune of Cruelty","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTExIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/da1b427b23/NewRune11.png"},{"id":"thane-grannells-rune-of-mastery","text":"Thane Grannell's Rune of Mastery","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTEyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/8fddac42a1/NewRune12.png"},{"id":"fenumus-rune-of-spinning","text":"Fenumus' Rune of Spinning","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTEzIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/d0e9100877/NewRune13.png"},{"id":"countess-seskes-rune-of-archery","text":"Countess Seske's Rune of Archery","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTE0Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/8e738ce3cb/NewRune14.png"},{"id":"thane-girts-rune-of-wildness","text":"Thane Girt's Rune of Wildness","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTE1Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/d76b01cd40/NewRune15.png"},{"id":"fenumus-rune-of-draining","text":"Fenumus' Rune of Draining","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTE2Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/4753a65a2a/NewRune16.png"},{"id":"thane-myrks-rune-of-summer","text":"Thane Myrk's Rune of Summer","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTE3Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/f1bf657be5/NewRune17.png"},{"id":"lady-hestras-rune-of-winter","text":"Lady Hestra's Rune of Winter","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTE4Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/709f1d7a0e/NewRune18.png"},{"id":"thane-lelds-rune-of-spring","text":"Thane Leld's Rune of Spring","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTE5Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/b2966e8da7/NewRune19.png"},{"id":"the-greatwolfs-rune-of-claws","text":"The Greatwolf's Rune of Claws","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTIwIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/ae83a7c954/NewRune20.png"},{"id":"the-greatwolfs-rune-of-willpower","text":"The Greatwolf's Rune of Willpower","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvUnVuZXMvTmV3UnVuZTIxIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/6228f14146/NewRune21.png"}]},{"id":"Ultimatum","label":"Soul Cores","entries":[{"id":"soul-core-of-tacati","text":"Soul Core of Tacati","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL0dyZWF0ZXJTb3VsQ29yZUNoYW9zIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/cd9c4fb0a7/GreaterSoulCoreChaos.png"},{"id":"soul-core-of-opiloti","text":"Soul Core of Opiloti","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL0dyZWF0ZXJTb3VsQ29yZVBoeXNpY2FsIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/366f87b8f2/GreaterSoulCorePhysical.png"},{"id":"soul-core-of-jiquani","text":"Soul Core of Jiquani","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL0dyZWF0ZXJTb3VsQ29yZUxpZmUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/bb83a9f337/GreaterSoulCoreLife.png"},{"id":"soul-core-of-zalatl","text":"Soul Core of Zalatl","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL0dyZWF0ZXJTb3VsQ29yZU1hbmEiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/1437190de2/GreaterSoulCoreMana.png"},{"id":"soul-core-of-citaqualotl","text":"Soul Core of Citaqualotl","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL0dyZWF0ZXJTb3VsQ29yZUVsZW1lbnRhbFJlc2lzdCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/b8926e8826/GreaterSoulCoreElementalResist.png"},{"id":"soul-core-of-puhuarte","text":"Soul Core of Puhuarte","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL0dyZWF0ZXJTb3VsQ29yZUZpcmUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/6390ebeaa6/GreaterSoulCoreFire.png"},{"id":"soul-core-of-tzamoto","text":"Soul Core of Tzamoto","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL0dyZWF0ZXJTb3VsQ29yZUNvbGQiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/d437c04d5e/GreaterSoulCoreCold.png"},{"id":"soul-core-of-xopec","text":"Soul Core of Xopec","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL0dyZWF0ZXJTb3VsQ29yZUxpZ2h0bmluZyIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/3dffadfa9a/GreaterSoulCoreLightning.png"},{"id":"soul-core-of-azcapa","text":"Soul Core of Azcapa","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL0dyZWF0ZXJTb3VsQ29yZVdlYWx0aFJhcml0eSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/6a69033a04/GreaterSoulCoreWealthRarity.png"},{"id":"soul-core-of-topotante","text":"Soul Core of Topotante","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL0dyZWF0ZXJTb3VsQ29yZVRyaUVsZW1lbnQiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/ae7a949b3a/GreaterSoulCoreTriElement.png"},{"id":"soul-core-of-quipolatl","text":"Soul Core of Quipolatl","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL0dyZWF0ZXJTb3VsQ29yZVNwZWVkIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/d4967ad0f1/GreaterSoulCoreSpeed.png"},{"id":"soul-core-of-ticaba","text":"Soul Core of Ticaba","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL0dyZWF0ZXJTb3VsQ29yZUNyaXQiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/b453416064/GreaterSoulCoreCrit.png"},{"id":"soul-core-of-atmohua","text":"Soul Core of Atmohua","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL0dyZWF0ZXJTb3VsQ29yZVN0cmVuZ3RoIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/1b37135049/GreaterSoulCoreStrength.png"},{"id":"soul-core-of-cholotl","text":"Soul Core of Cholotl","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL0dyZWF0ZXJTb3VsQ29yZURleCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/c732c8a579/GreaterSoulCoreDex.png"},{"id":"soul-core-of-zantipi","text":"Soul Core of Zantipi","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL0dyZWF0ZXJTb3VsQ29yZWludCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/bf932f7001/GreaterSoulCoreint.png"},{"id":"hayoxis-soul-core-of-heatproofing","text":"Hayoxi's Soul Core of Heatproofing","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL05ld1NvdWxDb3JlSWNlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/6d8455bff0/NewSoulCoreIce.png"},{"id":"zalatls-soul-core-of-insulation","text":"Zalatl's Soul Core of Insulation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL05ld1NvdWxDb3JlTGlnaHRuaW5nIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/80c455f775/NewSoulCoreLightning.png"},{"id":"topotantes-soul-core-of-dampening","text":"Topotante's Soul Core of Dampening","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL05ld1NvdWxDb3JlRmlyZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/3657368a8c/NewSoulCoreFire.png"},{"id":"atmohuas-soul-core-of-retreat","text":"Atmohua's Soul Core of Retreat","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL05ld1NvdWxDb3JlRW5lcmd5U2hpZWxkIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/10e16bc3ea/NewSoulCoreEnergyShield.png"},{"id":"quipolatls-soul-core-of-flow","text":"Quipolatl's Soul Core of Flow","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL05ld1NvdWxDb3JlVGltZUNvb2xkb3duIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/dab6d943f3/NewSoulCoreTimeCooldown.png"},{"id":"tzamotos-soul-core-of-ferocity","text":"Tzamoto's Soul Core of Ferocity","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL05ld1NvdWxDb3JlUmFnZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/7bbacc1706/NewSoulCoreRage.png"},{"id":"uromotis-soul-core-of-attenuation","text":"Uromoti's Soul Core of Attenuation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL05ld1NvdWxDb3JlQ3Vyc2VzMiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/25919ac93d/NewSoulCoreCurses2.png"},{"id":"opilotis-soul-core-of-assault","text":"Opiloti's Soul Core of Assault","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL05ld1NvdWxDb3JlRnJlbnp5Q2hhcmdlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/ce5c1bdfdc/NewSoulCoreFrenzyCharge.png"},{"id":"guatelitzis-soul-core-of-endurance","text":"Guatelitzi's Soul Core of Endurance","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL05ld1NvdWxDb3JlRW5kdXJhbmNlQ2hhcmdlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/8da8c1e799/NewSoulCoreEnduranceCharge.png"},{"id":"xopecs-soul-core-of-power","text":"Xopec's Soul Core of Power","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL05ld1NvdWxDb3JlUG93ZXJDaGFyZ2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/083d39a63b/NewSoulCorePowerCharge.png"},{"id":"estazuntis-soul-core-of-convalescence","text":"Estazunti's Soul Core of Convalescence","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL05ld1NvdWxDb3JlVGltZVNsb3ciLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/c32a5b3a47/NewSoulCoreTimeSlow.png"},{"id":"tacatis-soul-core-of-affliction","text":"Tacati's Soul Core of Affliction","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL05ld1NvdWxDb3JlQ2hhb3MxIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/276b585906/NewSoulCoreChaos1.png"},{"id":"cholotls-soul-core-of-war","text":"Cholotl's Soul Core of War","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL05ld1NvdWxDb3JlUHJvamVjdGlsZSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/dfc35bed7f/NewSoulCoreProjectile.png"},{"id":"citaqualotls-soul-core-of-foulness","text":"Citaqualotl's Soul Core of Foulness","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL05ld1NvdWxDb3JlQ2hhb3MyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/002059f8f5/NewSoulCoreChaos2.png"},{"id":"xipocados-soul-core-of-dominion","text":"Xipocado's Soul Core of Dominion","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvU291bENvcmVzL05ld1NvdWxDb3JlTWluaW9uIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/b1e7975db2/NewSoulCoreMinion.png"}]},{"id":"Idol","label":"Idols","entries":[{"id":"bear-idol","text":"Bear Idol","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvVG9ybWVudGVkU3Bpcml0U29ja2V0YWJsZXMvQXptZXJpU29ja2V0YWJsZUJlYXIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/2d494d1054/AzmeriSocketableBear.png"},{"id":"primate-idol","text":"Primate Idol","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvVG9ybWVudGVkU3Bpcml0U29ja2V0YWJsZXMvQXptZXJpU29ja2V0YWJsZU1vbmtleSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/77a4554895/AzmeriSocketableMonkey.png"},{"id":"stag-idol","text":"Stag Idol","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvVG9ybWVudGVkU3Bpcml0U29ja2V0YWJsZXMvQXptZXJpU29ja2V0YWJsZVN0YWciLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/2a0668f95a/AzmeriSocketableStag.png"},{"id":"boar-idol","text":"Boar Idol","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvVG9ybWVudGVkU3Bpcml0U29ja2V0YWJsZXMvQXptZXJpU29ja2V0YWJsZUJvYXIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/5e04714fc6/AzmeriSocketableBoar.png"},{"id":"serpent-idol","text":"Snake Idol","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvVG9ybWVudGVkU3Bpcml0U29ja2V0YWJsZXMvQXptZXJpU29ja2V0YWJsZVNuYWtlIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/752d762312/AzmeriSocketableSnake.png"},{"id":"wolf-idol","text":"Wolf Idol","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvVG9ybWVudGVkU3Bpcml0U29ja2V0YWJsZXMvQXptZXJpU29ja2V0YWJsZVdvbGYiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/c0deeb6d94/AzmeriSocketableWolf.png"},{"id":"cat-idol","text":"Cat Idol","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvVG9ybWVudGVkU3Bpcml0U29ja2V0YWJsZXMvQXptZXJpU29ja2V0YWJsZUNhdCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/3d5bc70405/AzmeriSocketableCat.png"},{"id":"owl-idol","text":"Owl Idol","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvVG9ybWVudGVkU3Bpcml0U29ja2V0YWJsZXMvQXptZXJpU29ja2V0YWJsZU93bCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/dfe1212549/AzmeriSocketableOwl.png"},{"id":"ox-idol","text":"Ox Idol","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvVG9ybWVudGVkU3Bpcml0U29ja2V0YWJsZXMvQXptZXJpU29ja2V0YWJsZU94Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/5ebdb092f5/AzmeriSocketableOx.png"},{"id":"fox-idol","text":"Fox Idol","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvVG9ybWVudGVkU3Bpcml0U29ja2V0YWJsZXMvQXptZXJpU29ja2V0YWJsZUZveCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/9d48a79d56/AzmeriSocketableFox.png"},{"id":"rabbit-idol","text":"Rabbit Idol","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvVG9ybWVudGVkU3Bpcml0U29ja2V0YWJsZXMvQXptZXJpU29ja2V0YWJsZVJhYmJpdCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/d578d6d700/AzmeriSocketableRabbit.png"},{"id":"idol-of-sirrius","text":"Idol of Sirrius","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvVG9ybWVudGVkU3Bpcml0U29ja2V0YWJsZXMvQXptZXJpU29ja2V0YWJsZVdvbGZTcGVjaWFsIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/53db9f9ba3/AzmeriSocketableWolfSpecial.png"},{"id":"idol-of-thruldana","text":"Idol of Thruldana","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvVG9ybWVudGVkU3Bpcml0U29ja2V0YWJsZXMvQXptZXJpU29ja2V0YWJsZVNuYWtlU3BlY2lhbCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/f44ebc01aa/AzmeriSocketableSnakeSpecial.png"},{"id":"idol-of-grold","text":"Idol of Grold","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvVG9ybWVudGVkU3Bpcml0U29ja2V0YWJsZXMvQXptZXJpU29ja2V0YWJsZUJlYXJTcGVjaWFsIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/363a2de335/AzmeriSocketableBearSpecial.png"},{"id":"idol-of-eeshta","text":"Idol of Eeshta","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvVG9ybWVudGVkU3Bpcml0U29ja2V0YWJsZXMvQXptZXJpU29ja2V0YWJsZU93bFNwZWNpYWwiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/8965465ce6/AzmeriSocketableOwlSpecial.png"},{"id":"idol-of-egrin","text":"Idol of Egrin","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvVG9ybWVudGVkU3Bpcml0U29ja2V0YWJsZXMvQXptZXJpU29ja2V0YWJsZUNhdFNwZWNpYWwiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/16657ca6fc/AzmeriSocketableCatSpecial.png"},{"id":"idol-of-maxarius","text":"Idol of Maxarius","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvVG9ybWVudGVkU3Bpcml0U29ja2V0YWJsZXMvQXptZXJpU29ja2V0YWJsZVN0YWdTcGVjaWFsIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/f012409342/AzmeriSocketableStagSpecial.png"},{"id":"idol-of-ralakesh","text":"Idol of Ralakesh","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvQ3VycmVuY3kvVG9ybWVudGVkU3Bpcml0U29ja2V0YWJsZXMvQXptZXJpU29ja2V0YWJsZU1vbmtleVNwZWNpYWwiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/8ffc9986a0/AzmeriSocketableMonkeySpecial.png"}]},{"id":"UncutGems","label":"Uncut Gems","entries":[{"id":"sep","text":"Uncut Support Gems"},{"id":"uncut-support-gem-1","text":"Uncut Support Gem (Level 1)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFN1cHBvcnRHZW0iLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/d1ffe1c951/UncutSupportGem.png"},{"id":"uncut-support-gem-2","text":"Uncut Support Gem (Level 2)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFN1cHBvcnRHZW0iLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/d1ffe1c951/UncutSupportGem.png"},{"id":"uncut-support-gem-3","text":"Uncut Support Gem (Level 3)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFN1cHBvcnRHZW0iLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/d1ffe1c951/UncutSupportGem.png"},{"id":"uncut-support-gem-4","text":"Uncut Support Gem (Level 4)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFN1cHBvcnRHZW0iLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/d1ffe1c951/UncutSupportGem.png"},{"id":"uncut-support-gem-5","text":"Uncut Support Gem (Level 5)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFN1cHBvcnRHZW0iLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/d1ffe1c951/UncutSupportGem.png"},{"id":"sep","text":"Uncut Reservation Gems"},{"id":"uncut-spirit-gem-4","text":"Uncut Spirit Gem (Level 4)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtQnVmZiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ab25e9aa3b/UncutSkillGemBuff.png"},{"id":"uncut-spirit-gem-5","text":"Uncut Spirit Gem (Level 5)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtQnVmZiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ab25e9aa3b/UncutSkillGemBuff.png"},{"id":"uncut-spirit-gem-6","text":"Uncut Spirit Gem (Level 6)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtQnVmZiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ab25e9aa3b/UncutSkillGemBuff.png"},{"id":"uncut-spirit-gem-7","text":"Uncut Spirit Gem (Level 7)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtQnVmZiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ab25e9aa3b/UncutSkillGemBuff.png"},{"id":"uncut-spirit-gem-8","text":"Uncut Spirit Gem (Level 8)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtQnVmZiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ab25e9aa3b/UncutSkillGemBuff.png"},{"id":"uncut-spirit-gem-9","text":"Uncut Spirit Gem (Level 9)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtQnVmZiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ab25e9aa3b/UncutSkillGemBuff.png"},{"id":"uncut-spirit-gem-10","text":"Uncut Spirit Gem (Level 10)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtQnVmZiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ab25e9aa3b/UncutSkillGemBuff.png"},{"id":"uncut-spirit-gem-11","text":"Uncut Spirit Gem (Level 11)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtQnVmZiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ab25e9aa3b/UncutSkillGemBuff.png"},{"id":"uncut-spirit-gem-12","text":"Uncut Spirit Gem (Level 12)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtQnVmZiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ab25e9aa3b/UncutSkillGemBuff.png"},{"id":"uncut-spirit-gem-13","text":"Uncut Spirit Gem (Level 13)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtQnVmZiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ab25e9aa3b/UncutSkillGemBuff.png"},{"id":"uncut-spirit-gem-14","text":"Uncut Spirit Gem (Level 14)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtQnVmZiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ab25e9aa3b/UncutSkillGemBuff.png"},{"id":"uncut-spirit-gem-15","text":"Uncut Spirit Gem (Level 15)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtQnVmZiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ab25e9aa3b/UncutSkillGemBuff.png"},{"id":"uncut-spirit-gem-16","text":"Uncut Spirit Gem (Level 16)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtQnVmZiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ab25e9aa3b/UncutSkillGemBuff.png"},{"id":"uncut-spirit-gem-17","text":"Uncut Spirit Gem (Level 17)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtQnVmZiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ab25e9aa3b/UncutSkillGemBuff.png"},{"id":"uncut-spirit-gem-18","text":"Uncut Spirit Gem (Level 18)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtQnVmZiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ab25e9aa3b/UncutSkillGemBuff.png"},{"id":"uncut-spirit-gem-19","text":"Uncut Spirit Gem (Level 19)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtQnVmZiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ab25e9aa3b/UncutSkillGemBuff.png"},{"id":"uncut-spirit-gem-20","text":"Uncut Spirit Gem (Level 20)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtQnVmZiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/ab25e9aa3b/UncutSkillGemBuff.png"},{"id":"sep","text":"Uncut Skill Gems"},{"id":"uncut-skill-gem-1","text":"Uncut Skill Gem (Level 1)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-2","text":"Uncut Skill Gem (Level 2)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-3","text":"Uncut Skill Gem (Level 3)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-4","text":"Uncut Skill Gem (Level 4)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-5","text":"Uncut Skill Gem (Level 5)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-6","text":"Uncut Skill Gem (Level 6)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-7","text":"Uncut Skill Gem (Level 7)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-8","text":"Uncut Skill Gem (Level 8)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-9","text":"Uncut Skill Gem (Level 9)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-10","text":"Uncut Skill Gem (Level 10)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-11","text":"Uncut Skill Gem (Level 11)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-12","text":"Uncut Skill Gem (Level 12)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-13","text":"Uncut Skill Gem (Level 13)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-14","text":"Uncut Skill Gem (Level 14)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-15","text":"Uncut Skill Gem (Level 15)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-16","text":"Uncut Skill Gem (Level 16)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-17","text":"Uncut Skill Gem (Level 17)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-18","text":"Uncut Skill Gem (Level 18)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-19","text":"Uncut Skill Gem (Level 19)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"},{"id":"uncut-skill-gem-20","text":"Uncut Skill Gem (Level 20)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9VbmN1dFNraWxsR2VtIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/97f0ceba15/UncutSkillGem.png"}]},{"id":"LineageSupportGems","label":"Lineage Support Gems","entries":[{"id":"ataluis-bloodletting","text":"Atalui's Bloodletting","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VMaWZldGFwIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/4d9a20ab28/LineageLifetap.png"},{"id":"einhars-beastrite","text":"Einhar's Beastrite","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VFaW5oYXIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/aec9088873/LineageEinhar.png"},{"id":"brutus-brain","text":"Brutus' Brain","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VNZWF0c2hpZWxkIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/115edf7e2f/LineageMeatshield.png"},{"id":"uruks-smelting","text":"Uruk's Smelting","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VBcm1vdXJCcmVhayIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/821e3c1334/LineageArmourBreak.png"},{"id":"paquates-pact","text":"Paquate's Pact","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL1BhcXVhdGUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/48c3b0fca2/Paquate.png"},{"id":"vilentas-propulsion","text":"Vilenta's Propulsion","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VWaWxlbnRhIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/abda900f3c/LineageVilenta.png"},{"id":"ailiths-chimes","text":"Ailith's Chimes","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL01vbmFzdGljIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/795375ce2d/Monastic.png"},{"id":"tecrods-revenge","text":"Tecrod's Revenge","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VUZWNyb2QiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/783b026592/LineageTecrod.png"},{"id":"doedres-undoing","text":"Doedre's Undoing","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VEb2VkcmUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/83dad35313/LineageDoedre.png"},{"id":"rathas-assault","text":"Ratha's Assault","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0F6YWRpYW4iLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/a77457eef2/Azadian.png"},{"id":"arjuns-medal","text":"Arjun's Medal","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0FtbW9Db25zZXJ2YXRpb24iLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/8220863d61/AmmoConservation.png"},{"id":"kaoms-madness","text":"Kaom's Madness","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VLYW9tIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/82eacd9fdc/LineageKaom.png"},{"id":"siones-temper","text":"Sione's Temper","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL1dpbGRzaGFyZHMiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/6d700adf17/Wildshards.png"},{"id":"ixchels-torment","text":"Ixchel's Torment","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL1RyaWFsbWFzdGVyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/231195f1b3/Trialmaster.png"},{"id":"romiras-requital","text":"Romira's Requital","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VSb21pcmEiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/62c07d95f0/LineageRomira.png"},{"id":"tawhoas-tending","text":"Tawhoa's Tending","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL1R1a29oYW1hIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/8b469f3f5e/Tukohama.png"},{"id":"dominus-grasp","text":"Dominus' Grasp","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VNZXJjeSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/38123ca95d/LineageMercy.png"},{"id":"diallas-desire","text":"Dialla's Desire","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0RpYWxsYSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/1b959c86b4/Dialla.png"},{"id":"kalisas-crescendo","text":"Kalisa's Crescendo","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VLYWxpc2FDaG9ydXMiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/1d60b0db2f/LineageKalisaChorus.png"},{"id":"kulemaks-dominion","text":"Kulemak's Dominion","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VLdWxlbWFrU3BpcmUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/7f63599d16/LineageKulemakSpire.png"},{"id":"amanamus-tithe","text":"Amanamu's Tithe","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VBbWFuYW11Iiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/715766340e/LineageAmanamu.png"},{"id":"xophs-pyre","text":"Xoph's Pyre","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VYb3BoIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/09f4b817dc/LineageXoph.png"},{"id":"eshs-radiance","text":"Esh's Radiance","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VFc2giLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/2bdbf8be07/LineageEsh.png"},{"id":"tuls-stillness","text":"Tul's Stillness","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VUdWwiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/cff647542b/LineageTul.png"},{"id":"uul-netols-embrace","text":"Uul-Netol's Embrace","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VVdWxOZXRvbCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/751151f142/LineageUulNetol.png"},{"id":"rakiatas-flow","text":"Rakiata's Flow","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL1Jha2lhdGEiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/20a70b7bd3/Rakiata.png"},{"id":"garukhans-resolve","text":"Garukhan's Resolve","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0dhcnVraGFuIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/392773e9fd/Garukhan.png"},{"id":"tasalios-rhythm","text":"Tasalio's Rhythm","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VUYXNhbGlvIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/19f9a64786/LineageTasalio.png"},{"id":"tacatis-ire","text":"Tacati's Ire","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VUYWNhdGkiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/d5ded1baa6/LineageTacati.png"},{"id":"rigwalds-ferocity","text":"Rigwald's Ferocity","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL1JpZ3dhbGQiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/a053a2b077/Rigwald.png"},{"id":"khatals-rejuvenation","text":"Khatal's Rejuvenation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VLaGF0YWwiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/e67d6a908e/LineageKhatal.png"},{"id":"bhatairs-vengeance","text":"Bhatair's Vengeance","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL1NoYXR0ZXJlZEZhbmciLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/ed794a9e4b/ShatteredFang.png"},{"id":"uhtreds-exodus","text":"Uhtred's Exodus","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VVaHRyZWRMZXNzZXIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/b286006915/LineageUhtredLesser.png"},{"id":"uhtreds-omen","text":"Uhtred's Omen","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VVaHRyZWRTdGFuZGFyZCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/2e603483a5/LineageUhtredStandard.png"},{"id":"uhtreds-augury","text":"Uhtred's Augury","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VVaHRyZWRHcmVhdGVyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/207f49bf94/LineageUhtredGreater.png"},{"id":"daressos-passion","text":"Daresso's Passion","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VEYXJlc3NvIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/31805870df/LineageDaresso.png"},{"id":"ahns-citadel","text":"Ahn's Citadel","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VBaG5DaGlzZWwiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/5e34f72a34/LineageAhnChisel.png"},{"id":"atziris-allure","text":"Atziri's Allure","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VBdHppcmkiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/422053dc32/LineageAtziri.png"},{"id":"hayoxis-fulmination","text":"Hayoxi's Fulmination","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0hheW94aSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/e0817c923c/Hayoxi.png"},{"id":"zarokhs-refrain","text":"Zarokh's Refrain","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL1phcm9raCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/78c9566961/Zarokh.png"},{"id":"kurgals-leash","text":"Kurgal's Leash","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0FieXNzS3VyZ2FsIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/3fbc251a84/AbyssKurgal.png"},{"id":"varashtas-blessing","text":"Varashta's Blessing","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VEamlubiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/62882cee00/LineageDjinn.png"},{"id":"arbiters-ignition","text":"Arbiter's Ignition","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VBcmJpdGVyIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/52bc86c140/LineageArbiter.png"},{"id":"arakaalis-lust","text":"Arakaali's Lust","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VBcmFrYWFsaSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/be37cb2c77/LineageArakaali.png"},{"id":"xibaquas-rending","text":"Xibaqua's Rending","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0xpbmVhZ2VYaWJhcXVhIiwic2NhbGUiOjEsInJlYWxtIjoicG9lMiJ9XQ/e4e4642563/LineageXibaqua.png"},{"id":"guatelitzis-ablation","text":"Guatelitzi's Ablation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0d1YXRlbGl0emkiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/8ea2f0077d/Guatelitzi.png"},{"id":"atziris-impatience","text":"Atziri's Impatience","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0F0emlyaUltcGF0aWVuY2UiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/9598c10260/AtziriImpatience.png"},{"id":"zerphis-infamy","text":"Zerphi's Infamy","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL1plcnBoaXNMZWdhY3kiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/3b039ea679/ZerphisLegacy.png"},{"id":"zarokhs-revolt","text":"Zarokh's Revolt","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL1phcm9raHNSZXZvbHQiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/a611b32c57/ZarokhsRevolt.png"},{"id":"oisins-oath","text":"Oisín's Oath","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL1dhbGtlcm9mdGhlV2lsZHMiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/50c27082f9/WalkeroftheWilds.png"},{"id":"cirels-cultivation","text":"Cirel's Cultivation","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL0dyZWF0d29vZCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/9d2739c22d/Greatwood.png"},{"id":"morganas-tempest","text":"Morgana's Tempest","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvR2Vtcy9OZXcvTmV3U3VwcG9ydC9MaW5lYWdlL01vcmdhbmFzVGVtcGVzdCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/55ddb1bfc8/MorganasTempest.png"}]},{"id":"Waystones","label":"Waystones","entries":[{"id":"waystone-1","text":"Waystone (Tier 1)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9FbmRnYW1lTWFwcy9FbmRnYW1lTWFwMSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/2a4bc06f7a/EndgameMap1.png"},{"id":"waystone-2","text":"Waystone (Tier 2)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9FbmRnYW1lTWFwcy9FbmRnYW1lTWFwMiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/96fc7f7e65/EndgameMap2.png"},{"id":"waystone-3","text":"Waystone (Tier 3)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9FbmRnYW1lTWFwcy9FbmRnYW1lTWFwMyIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/c9f809ff07/EndgameMap3.png"},{"id":"waystone-4","text":"Waystone (Tier 4)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9FbmRnYW1lTWFwcy9FbmRnYW1lTWFwNCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/d73d7cd359/EndgameMap4.png"},{"id":"waystone-5","text":"Waystone (Tier 5)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9FbmRnYW1lTWFwcy9FbmRnYW1lTWFwNSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/dfe401fd22/EndgameMap5.png"},{"id":"waystone-6","text":"Waystone (Tier 6)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9FbmRnYW1lTWFwcy9FbmRnYW1lTWFwNiIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/b3fff34040/EndgameMap6.png"},{"id":"waystone-7","text":"Waystone (Tier 7)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9FbmRnYW1lTWFwcy9FbmRnYW1lTWFwNyIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/18461780be/EndgameMap7.png"},{"id":"waystone-8","text":"Waystone (Tier 8)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9FbmRnYW1lTWFwcy9FbmRnYW1lTWFwOCIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/c2d5a0a220/EndgameMap8.png"},{"id":"waystone-9","text":"Waystone (Tier 9)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9FbmRnYW1lTWFwcy9FbmRnYW1lTWFwOSIsInNjYWxlIjoxLCJyZWFsbSI6InBvZTIifV0/5f289352ef/EndgameMap9.png"},{"id":"waystone-10","text":"Waystone (Tier 10)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9FbmRnYW1lTWFwcy9FbmRnYW1lTWFwMTAiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/f6b342e4f6/EndgameMap10.png"},{"id":"waystone-11","text":"Waystone (Tier 11)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9FbmRnYW1lTWFwcy9FbmRnYW1lTWFwMTEiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/b7cd06b32d/EndgameMap11.png"},{"id":"waystone-12","text":"Waystone (Tier 12)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9FbmRnYW1lTWFwcy9FbmRnYW1lTWFwMTIiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/ec43a7ca23/EndgameMap12.png"},{"id":"waystone-13","text":"Waystone (Tier 13)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9FbmRnYW1lTWFwcy9FbmRnYW1lTWFwMTMiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/dcaafb634e/EndgameMap13.png"},{"id":"waystone-14","text":"Waystone (Tier 14)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9FbmRnYW1lTWFwcy9FbmRnYW1lTWFwMTQiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/6038c7e458/EndgameMap14.png"},{"id":"waystone-15","text":"Waystone (Tier 15)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9FbmRnYW1lTWFwcy9FbmRnYW1lTWFwMTUiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/36fdc2dffa/EndgameMap15.png"},{"id":"waystone-16","text":"Waystone (Tier 16)","image":"/gen/image/WzI1LDE0LHsiZiI6IjJESXRlbXMvTWFwcy9FbmRnYW1lTWFwcy9FbmRnYW1lTWFwMTYiLCJzY2FsZSI6MSwicmVhbG0iOiJwb2UyIn1d/71ae1577e7/EndgameMap16.png"}]},{"id":"Misc","label":null,"entries":[]}]}
\ No newline at end of file
diff --git a/tools/OcrDaemon/tessdata/poe2_stats.json b/tools/OcrDaemon/tessdata/poe2_stats.json
new file mode 100644
index 0000000..978f1d9
--- /dev/null
+++ b/tools/OcrDaemon/tessdata/poe2_stats.json
@@ -0,0 +1 @@
+{"result":[{"id":"pseudo","label":"Pseudo","entries":[{"id":"pseudo.pseudo_total_cold_resistance","text":"+#% total to Cold Resistance","type":"pseudo"},{"id":"pseudo.pseudo_total_fire_resistance","text":"+#% total to Fire Resistance","type":"pseudo"},{"id":"pseudo.pseudo_total_lightning_resistance","text":"+#% total to Lightning Resistance","type":"pseudo"},{"id":"pseudo.pseudo_total_elemental_resistance","text":"+#% total Elemental Resistance","type":"pseudo"},{"id":"pseudo.pseudo_total_chaos_resistance","text":"+#% total to Chaos Resistance","type":"pseudo"},{"id":"pseudo.pseudo_total_resistance","text":"+#% total Resistance","type":"pseudo"},{"id":"pseudo.pseudo_count_resistances","text":"# total Resistances","type":"pseudo"},{"id":"pseudo.pseudo_count_elemental_resistances","text":"# total Elemental Resistances","type":"pseudo"},{"id":"pseudo.pseudo_total_all_elemental_resistances","text":"+#% total to all Elemental Resistances","type":"pseudo"},{"id":"pseudo.pseudo_total_strength","text":"+# total to Strength","type":"pseudo"},{"id":"pseudo.pseudo_total_dexterity","text":"+# total to Dexterity","type":"pseudo"},{"id":"pseudo.pseudo_total_intelligence","text":"+# total to Intelligence","type":"pseudo"},{"id":"pseudo.pseudo_total_all_attributes","text":"+# total to all Attributes","type":"pseudo"},{"id":"pseudo.pseudo_total_attributes","text":"+# total to Attributes","type":"pseudo"},{"id":"pseudo.pseudo_total_life","text":"+# total maximum Life","type":"pseudo"},{"id":"pseudo.pseudo_total_mana","text":"+# total maximum Mana","type":"pseudo"},{"id":"pseudo.pseudo_total_energy_shield","text":"+# total maximum Energy Shield","type":"pseudo"},{"id":"pseudo.pseudo_increased_energy_shield","text":"#% total increased maximum Energy Shield","type":"pseudo"},{"id":"pseudo.pseudo_increased_movement_speed","text":"#% increased Movement Speed","type":"pseudo"},{"id":"pseudo.pseudo_number_of_enchant_mods","text":"# Enchant Modifiers","type":"pseudo"},{"id":"pseudo.pseudo_number_of_implicit_mods","text":"# Implicit Modifiers","type":"pseudo"},{"id":"pseudo.pseudo_number_of_prefix_mods","text":"# Prefix Modifiers","type":"pseudo"},{"id":"pseudo.pseudo_number_of_suffix_mods","text":"# Suffix Modifiers","type":"pseudo"},{"id":"pseudo.pseudo_number_of_affix_mods","text":"# Modifiers","type":"pseudo"},{"id":"pseudo.pseudo_number_of_desecrated_prefix_mods","text":"# Desecrated Prefix Modifiers","type":"pseudo"},{"id":"pseudo.pseudo_number_of_desecrated_suffix_mods","text":"# Desecrated Suffix Modifiers","type":"pseudo"},{"id":"pseudo.pseudo_number_of_desecrated_mods","text":"# Desecrated Modifiers","type":"pseudo"},{"id":"pseudo.pseudo_number_of_unrevealed_prefix_mods","text":"# Unrevealed Prefix Modifiers","type":"pseudo"},{"id":"pseudo.pseudo_number_of_unrevealed_suffix_mods","text":"# Unrevealed Suffix Modifiers","type":"pseudo"},{"id":"pseudo.pseudo_number_of_unrevealed_mods","text":"# Unrevealed Modifiers","type":"pseudo"},{"id":"pseudo.pseudo_number_of_empty_prefix_mods","text":"# Empty Prefix Modifiers","type":"pseudo"},{"id":"pseudo.pseudo_number_of_empty_suffix_mods","text":"# Empty Suffix Modifiers","type":"pseudo"},{"id":"pseudo.pseudo_number_of_empty_affix_mods","text":"# Empty Modifiers","type":"pseudo"},{"id":"pseudo.pseudo_number_of_fractured_mods","text":"# Fractured Modifiers","type":"pseudo"}]},{"id":"explicit","label":"Explicit","entries":[{"id":"explicit.stat_1050105434","text":"# to maximum Mana","type":"explicit"},{"id":"explicit.stat_3299347043","text":"# to maximum Life","type":"explicit"},{"id":"explicit.stat_4220027924","text":"#% to Cold Resistance","type":"explicit"},{"id":"explicit.stat_3372524247","text":"#% to Fire Resistance","type":"explicit"},{"id":"explicit.stat_1671376347","text":"#% to Lightning Resistance","type":"explicit"},{"id":"explicit.stat_328541901","text":"# to Intelligence","type":"explicit"},{"id":"explicit.stat_3917489142","text":"#% increased Rarity of Items found","type":"explicit"},{"id":"explicit.stat_3261801346","text":"# to Dexterity","type":"explicit"},{"id":"explicit.stat_4080418644","text":"# to Strength","type":"explicit"},{"id":"explicit.stat_3325883026","text":"# Life Regeneration per second","type":"explicit"},{"id":"explicit.stat_789117908","text":"#% increased Mana Regeneration Rate","type":"explicit"},{"id":"explicit.stat_803737631","text":"# to Accuracy Rating","type":"explicit"},{"id":"explicit.stat_2974417149","text":"#% increased Spell Damage","type":"explicit"},{"id":"explicit.stat_4052037485","text":"# to maximum Energy Shield (Local)","type":"explicit"},{"id":"explicit.stat_3032590688","text":"Adds # to # Physical Damage to Attacks","type":"explicit"},{"id":"explicit.stat_4015621042","text":"#% increased Energy Shield","type":"explicit"},{"id":"explicit.stat_2891184298","text":"#% increased Cast Speed","type":"explicit"},{"id":"explicit.stat_1368271171","text":"Gain # Mana per enemy killed","type":"explicit"},{"id":"explicit.stat_3695891184","text":"Gain # Life per enemy killed","type":"explicit"},{"id":"explicit.stat_915769802","text":"# to Stun Threshold","type":"explicit"},{"id":"explicit.stat_3639275092","text":"#% increased Attribute Requirements","type":"explicit"},{"id":"explicit.stat_2901986750","text":"#% to all Elemental Resistances","type":"explicit"},{"id":"explicit.stat_2923486259","text":"#% to Chaos Resistance","type":"explicit"},{"id":"explicit.stat_1509134228","text":"#% increased Physical Damage","type":"explicit"},{"id":"explicit.stat_3981240776","text":"# to Spirit","type":"explicit"},{"id":"explicit.stat_2482852589","text":"#% increased maximum Energy Shield","type":"explicit"},{"id":"explicit.stat_2250533757","text":"#% increased Movement Speed","type":"explicit"},{"id":"explicit.stat_1754445556","text":"Adds # to # Lightning damage to Attacks","type":"explicit"},{"id":"explicit.stat_53045048","text":"# to Evasion Rating (Local)","type":"explicit"},{"id":"explicit.stat_691932474","text":"# to Accuracy Rating (Local)","type":"explicit"},{"id":"explicit.stat_2231156303","text":"#% increased Lightning Damage","type":"explicit"},{"id":"explicit.stat_1263695895","text":"#% increased Light Radius","type":"explicit"},{"id":"explicit.stat_4067062424","text":"Adds # to # Cold damage to Attacks","type":"explicit"},{"id":"explicit.stat_3489782002","text":"# to maximum Energy Shield","type":"explicit"},{"id":"explicit.stat_2144192055","text":"# to Evasion Rating","type":"explicit"},{"id":"explicit.stat_124859000","text":"#% increased Evasion Rating (Local)","type":"explicit"},{"id":"explicit.stat_1573130764","text":"Adds # to # Fire damage to Attacks","type":"explicit"},{"id":"explicit.stat_3291658075","text":"#% increased Cold Damage","type":"explicit"},{"id":"explicit.stat_587431675","text":"#% increased Critical Hit Chance","type":"explicit"},{"id":"explicit.stat_2106365538","text":"#% increased Evasion Rating","type":"explicit"},{"id":"explicit.stat_3484657501","text":"# to Armour (Local)","type":"explicit"},{"id":"explicit.stat_1379411836","text":"# to all Attributes","type":"explicit"},{"id":"explicit.stat_1940865751","text":"Adds # to # Physical Damage","type":"explicit"},{"id":"explicit.stat_1062208444","text":"#% increased Armour (Local)","type":"explicit"},{"id":"explicit.stat_2866361420","text":"#% increased Armour","type":"explicit"},{"id":"explicit.stat_1999113824","text":"#% increased Evasion and Energy Shield","type":"explicit"},{"id":"explicit.stat_3336890334","text":"Adds # to # Lightning Damage","type":"explicit"},{"id":"explicit.stat_3962278098","text":"#% increased Fire Damage","type":"explicit"},{"id":"explicit.stat_736967255","text":"#% increased Chaos Damage","type":"explicit"},{"id":"explicit.stat_3321629045","text":"#% increased Armour and Energy Shield","type":"explicit"},{"id":"explicit.stat_3556824919","text":"#% increased Critical Damage Bonus","type":"explicit"},{"id":"explicit.stat_2881298780","text":"# to # Physical Thorns damage","type":"explicit"},{"id":"explicit.stat_2451402625","text":"#% increased Armour and Evasion","type":"explicit"},{"id":"explicit.stat_709508406","text":"Adds # to # Fire Damage","type":"explicit"},{"id":"explicit.stat_3873704640","text":"#% increased number of Magic Monsters","type":"explicit"},{"id":"explicit.stat_3873704640","text":"#% increased Magic Monsters","type":"explicit"},{"id":"explicit.stat_3793155082","text":"#% increased number of Rare Monsters","type":"explicit"},{"id":"explicit.stat_1037193709","text":"Adds # to # Cold Damage","type":"explicit"},{"id":"explicit.stat_737908626","text":"#% increased Critical Hit Chance for Spells","type":"explicit"},{"id":"explicit.stat_210067635","text":"#% increased Attack Speed (Local)","type":"explicit"},{"id":"explicit.stat_681332047","text":"#% increased Attack Speed","type":"explicit"},{"id":"explicit.stat_2968503605","text":"#% increased Flammability Magnitude","type":"explicit"},{"id":"explicit.stat_1202301673","text":"# to Level of all Projectile Skills","type":"explicit"},{"id":"explicit.stat_9187492","text":"# to Level of all Melee Skills","type":"explicit"},{"id":"explicit.stat_1276056105","text":"#% increased Gold found in this Area (Gold Piles)","type":"explicit"},{"id":"explicit.stat_1276056105","text":"#% increased Gold found in your Maps (Gold Piles)","type":"explicit"},{"id":"explicit.stat_274716455","text":"#% increased Critical Spell Damage Bonus","type":"explicit"},{"id":"explicit.stat_518292764","text":"#% to Critical Hit Chance","type":"explicit"},{"id":"explicit.stat_2162097452","text":"# to Level of all Minion Skills","type":"explicit"},{"id":"explicit.stat_3141070085","text":"#% increased Elemental Damage","type":"explicit"},{"id":"explicit.stat_707457662","text":"Leech #% of Physical Attack Damage as Mana","type":"explicit"},{"id":"explicit.stat_2557965901","text":"Leech #% of Physical Attack Damage as Life","type":"explicit"},{"id":"explicit.stat_387439868","text":"#% increased Elemental Damage with Attacks","type":"explicit"},{"id":"explicit.stat_809229260","text":"# to Armour","type":"explicit"},{"id":"explicit.stat_124131830","text":"# to Level of all Spell Skills","type":"explicit"},{"id":"explicit.stat_2694482655","text":"#% to Critical Damage Bonus","type":"explicit"},{"id":"explicit.stat_2339757871","text":"#% increased Energy Shield Recharge Rate","type":"explicit"},{"id":"explicit.stat_3278136794","text":"Gain #% of Damage as Extra Lightning Damage","type":"explicit"},{"id":"explicit.stat_1444556985","text":"#% of Damage taken Recouped as Life","type":"explicit"},{"id":"explicit.stat_3759663284","text":"#% increased Projectile Speed","type":"explicit"},{"id":"explicit.stat_55876295","text":"Leeches #% of Physical Damage as Life","type":"explicit"},{"id":"explicit.stat_2505884597","text":"Gain #% of Damage as Extra Cold Damage","type":"explicit"},{"id":"explicit.stat_3015669065","text":"Gain #% of Damage as Extra Fire Damage","type":"explicit"},{"id":"explicit.stat_669069897","text":"Leeches #% of Physical Damage as Mana","type":"explicit"},{"id":"explicit.stat_57434274","text":"#% increased Experience gain","type":"explicit"},{"id":"explicit.stat_57434274","text":"#% increased Experience gain in your Maps","type":"explicit"},{"id":"explicit.stat_1782086450","text":"#% faster start of Energy Shield Recharge","type":"explicit"},{"id":"explicit.stat_1589917703","text":"Minions deal #% increased Damage","type":"explicit"},{"id":"explicit.stat_2194114101","text":"#% increased Critical Hit Chance for Attacks","type":"explicit"},{"id":"explicit.stat_3714003708","text":"#% increased Critical Damage Bonus for Attack Damage","type":"explicit"},{"id":"explicit.stat_770672621","text":"Minions have #% increased maximum Life","type":"explicit"},{"id":"explicit.stat_1839076647","text":"#% increased Projectile Damage","type":"explicit"},{"id":"explicit.stat_293638271","text":"#% increased chance to Shock","type":"explicit"},{"id":"explicit.stat_1389754388","text":"#% increased Charm Effect Duration","type":"explicit"},{"id":"explicit.stat_821021828","text":"Grants # Life per Enemy Hit","type":"explicit"},{"id":"explicit.stat_3984865854","text":"#% increased Spirit","type":"explicit"},{"id":"explicit.stat_2306002879","text":"#% increased Rarity of Items found in your Maps","type":"explicit"},{"id":"explicit.stat_2843214518","text":"#% increased Attack Damage","type":"explicit"},{"id":"explicit.stat_1836676211","text":"#% increased Flask Charges gained","type":"explicit"},{"id":"explicit.stat_791928121","text":"Causes #% increased Stun Buildup","type":"explicit"},{"id":"explicit.stat_3417711605","text":"Damage Penetrates #% Cold Resistance","type":"explicit"},{"id":"explicit.stat_748522257","text":"#% increased Stun Duration","type":"explicit"},{"id":"explicit.stat_2777224821","text":"#% increased Quantity of Waystones found in your Maps","type":"explicit"},{"id":"explicit.stat_624954515","text":"#% increased Accuracy Rating","type":"explicit"},{"id":"explicit.stat_51994685","text":"#% increased Flask Life Recovery rate","type":"explicit"},{"id":"explicit.stat_473429811","text":"#% increased Freeze Buildup","type":"explicit"},{"id":"explicit.stat_44972811","text":"#% increased Life Regeneration rate","type":"explicit"},{"id":"explicit.stat_1412217137","text":"#% increased Flask Mana Recovery rate","type":"explicit"},{"id":"explicit.stat_2112395885","text":"#% increased amount of Life Leeched","type":"explicit"},{"id":"explicit.stat_1545858329","text":"# to Level of all Lightning Spell Skills","type":"explicit"},{"id":"explicit.stat_680068163","text":"#% increased Stun Threshold","type":"explicit"},{"id":"explicit.stat_239367161","text":"#% increased Stun Buildup","type":"explicit"},{"id":"explicit.stat_3791899485","text":"#% increased Ignite Magnitude","type":"explicit"},{"id":"explicit.stat_1714706956","text":"#% increased Magic Pack Size","type":"explicit"},{"id":"explicit.stat_1714706956","text":"#% increased Magic Pack Size in your Maps","type":"explicit"},{"id":"explicit.stat_472520716","text":"#% of Damage taken Recouped as Mana","type":"explicit"},{"id":"explicit.stat_2624927319","text":"#% increased number of Monster Packs","type":"explicit"},{"id":"explicit.stat_2624927319","text":"#% increased number of Monster Packs in your Maps","type":"explicit"},{"id":"explicit.stat_2023107756","text":"Recover #% of maximum Life on Kill","type":"explicit"},{"id":"explicit.stat_4188894176","text":"#% increased Damage with Bows","type":"explicit"},{"id":"explicit.stat_1241625305","text":"#% increased Damage with Bow Skills","type":"explicit"},{"id":"explicit.stat_3585532255","text":"#% increased Charm Charges gained","type":"explicit"},{"id":"explicit.stat_1310194496","text":"#% increased Global Physical Damage","type":"explicit"},{"id":"explicit.stat_1002362373","text":"#% increased Melee Damage","type":"explicit"},{"id":"explicit.stat_2481353198","text":"#% increased Block chance (Local)","type":"explicit"},{"id":"explicit.stat_818778753","text":"Damage Penetrates #% Lightning Resistance","type":"explicit"},{"id":"explicit.stat_280731498","text":"#% increased Area of Effect","type":"explicit"},{"id":"explicit.stat_2748665614","text":"#% increased maximum Mana","type":"explicit"},{"id":"explicit.stat_427684353","text":"#% increased Damage with Crossbows","type":"explicit"},{"id":"explicit.stat_983749596","text":"#% increased maximum Life","type":"explicit"},{"id":"explicit.stat_821241191","text":"#% increased Life Recovery from Flasks","type":"explicit"},{"id":"explicit.stat_2487305362","text":"#% increased Magnitude of Poison you inflict","type":"explicit"},{"id":"explicit.stat_3091578504","text":"Minions have #% increased Attack and Cast Speed","type":"explicit"},{"id":"explicit.stat_4147897060","text":"#% increased Block chance","type":"explicit"},{"id":"explicit.stat_4045894391","text":"#% increased Damage with Quarterstaves","type":"explicit"},{"id":"explicit.stat_3759735052","text":"#% increased Attack Speed with Bows","type":"explicit"},{"id":"explicit.stat_2709367754","text":"Gain # Rage on Melee Hit","type":"explicit"},{"id":"explicit.stat_2174054121","text":"#% chance to inflict Bleeding on Hit","type":"explicit"},{"id":"explicit.stat_1423639565","text":"Minions have #% to all Elemental Resistances","type":"explicit"},{"id":"explicit.stat_3668351662","text":"#% increased Shock Duration","type":"explicit"},{"id":"explicit.stat_986397080","text":"#% reduced Ignite Duration on you","type":"explicit"},{"id":"explicit.stat_1692879867","text":"#% increased Duration of Bleeding on You","type":"explicit"},{"id":"explicit.stat_795138349","text":"#% chance to Poison on Hit","type":"explicit"},{"id":"explicit.stat_1829102168","text":"#% increased Duration of Damaging Ailments on Enemies","type":"explicit"},{"id":"explicit.stat_416040624","text":"Gain additional Stun Threshold equal to #% of maximum Energy Shield","type":"explicit"},{"id":"explicit.stat_3292710273","text":"Gain # Rage when Hit by an Enemy","type":"explicit"},{"id":"explicit.stat_2390685262","text":"#% increased Quantity of Items found in your Maps","type":"explicit"},{"id":"explicit.stat_1316278494","text":"#% increased Warcry Speed","type":"explicit"},{"id":"explicit.stat_689816330","text":"Area has #% increased chance to contain Shrines","type":"explicit"},{"id":"explicit.stat_689816330","text":"Your Maps have #% increased chance to contain Shrines","type":"explicit"},{"id":"explicit.stat_101878827","text":"#% increased Presence Area of Effect","type":"explicit"},{"id":"explicit.stat_1135928777","text":"#% increased Attack Speed with Crossbows","type":"explicit"},{"id":"explicit.stat_3067892458","text":"Triggered Spells deal #% increased Spell Damage","type":"explicit"},{"id":"explicit.stat_591105508","text":"# to Level of all Fire Spell Skills","type":"explicit"},{"id":"explicit.stat_644456512","text":"#% reduced Flask Charges used","type":"explicit"},{"id":"explicit.stat_1994551050","text":"Monsters have #% increased Ailment Threshold","type":"explicit"},{"id":"explicit.stat_4101943684","text":"Monsters have #% increased Stun Threshold","type":"explicit"},{"id":"explicit.stat_3377888098","text":"#% increased Skill Effect Duration","type":"explicit"},{"id":"explicit.stat_1366840608","text":"#% increased Charges","type":"explicit"},{"id":"explicit.stat_1054098949","text":"+#% Monster Elemental Resistances","type":"explicit"},{"id":"explicit.stat_3544800472","text":"#% increased Elemental Ailment Threshold","type":"explicit"},{"id":"explicit.stat_2017682521","text":"#% increased Pack Size in your Maps","type":"explicit"},{"id":"explicit.stat_3301100256","text":"#% increased Poison Duration on you","type":"explicit"},{"id":"explicit.stat_3174700878","text":"#% increased Energy Shield from Equipped Focus","type":"explicit"},{"id":"explicit.stat_2839066308","text":"#% increased amount of Mana Leeched","type":"explicit"},{"id":"explicit.stat_2753083623","text":"Monsters have #% increased Critical Hit Chance","type":"explicit"},{"id":"explicit.stat_57326096","text":"#% to Monster Critical Damage Bonus","type":"explicit"},{"id":"explicit.stat_3283482523","text":"#% increased Attack Speed with Quarterstaves","type":"explicit"},{"id":"explicit.stat_95249895","text":"#% more Monster Life","type":"explicit"},{"id":"explicit.stat_554690751","text":"Players are periodically Cursed with Elemental Weakness","type":"explicit"},{"id":"explicit.stat_3196823591","text":"#% increased Charges gained","type":"explicit"},{"id":"explicit.stat_211727","text":"Monsters deal #% of Damage as Extra Cold","type":"explicit"},{"id":"explicit.stat_1629357380","text":"Players are periodically Cursed with Temporal Chains","type":"explicit"},{"id":"explicit.stat_512071314","text":"Monsters deal #% of Damage as Extra Lightning","type":"explicit"},{"id":"explicit.stat_92381065","text":"Monsters deal #% of Damage as Extra Fire","type":"explicit"},{"id":"explicit.stat_3909654181","text":"Monsters have #% increased Attack, Cast and Movement Speed","type":"explicit"},{"id":"explicit.stat_388617051","text":"#% increased Charges per use","type":"explicit"},{"id":"explicit.stat_2029171424","text":"Players are periodically Cursed with Enfeeble","type":"explicit"},{"id":"explicit.stat_4159248054","text":"#% increased Warcry Cooldown Recovery Rate","type":"explicit"},{"id":"explicit.stat_3374165039","text":"#% increased Totem Placement speed","type":"explicit"},{"id":"explicit.stat_1890519597","text":"#% increased Monster Damage","type":"explicit"},{"id":"explicit.stat_1798257884","text":"Allies in your Presence deal #% increased Damage","type":"explicit"},{"id":"explicit.stat_3741323227","text":"#% increased Flask Effect Duration","type":"explicit"},{"id":"explicit.stat_1181419800","text":"#% increased Damage with Maces","type":"explicit"},{"id":"explicit.stat_153777645","text":"#% increased Area of Effect of Curses","type":"explicit"},{"id":"explicit.stat_4010677958","text":"Allies in your Presence Regenerate # Life per second","type":"explicit"},{"id":"explicit.stat_3851254963","text":"#% increased Totem Damage","type":"explicit"},{"id":"explicit.stat_145497481","text":"#% increased Defences from Equipped Shield","type":"explicit"},{"id":"explicit.stat_2321178454","text":"#% chance to Pierce an Enemy","type":"explicit"},{"id":"explicit.stat_2222186378","text":"#% increased Mana Recovery from Flasks","type":"explicit"},{"id":"explicit.stat_440490623","text":"#% increased Magnitude of Damaging Ailments you inflict with Critical Hits","type":"explicit"},{"id":"explicit.stat_2653955271","text":"Damage Penetrates #% Fire Resistance","type":"explicit"},{"id":"explicit.stat_2160282525","text":"#% reduced Freeze Duration on you","type":"explicit"},{"id":"explicit.stat_872504239","text":"#% increased Stun Buildup with Maces","type":"explicit"},{"id":"explicit.stat_1874553720","text":"#% reduced Chill Duration on you","type":"explicit"},{"id":"explicit.stat_686254215","text":"#% increased Totem Life","type":"explicit"},{"id":"explicit.stat_2527686725","text":"#% increased Magnitude of Shock you inflict","type":"explicit"},{"id":"explicit.stat_99927264","text":"#% reduced Shock duration on you","type":"explicit"},{"id":"explicit.stat_1570770415","text":"#% reduced Charm Charges used","type":"explicit"},{"id":"explicit.stat_565784293","text":"#% increased Knockback Distance","type":"explicit"},{"id":"explicit.stat_2254480358","text":"# to Level of all Cold Spell Skills","type":"explicit"},{"id":"explicit.stat_3166958180","text":"#% increased Magnitude of Bleeding you inflict","type":"explicit"},{"id":"explicit.stat_2768835289","text":"#% increased Spell Physical Damage","type":"explicit"},{"id":"explicit.stat_1303248024","text":"#% increased Magnitude of Ailments you inflict","type":"explicit"},{"id":"explicit.stat_21071013","text":"Herald Skills deal #% increased Damage","type":"explicit"},{"id":"explicit.stat_4279535856","text":"Area has #% increased chance to contain Strongboxes","type":"explicit"},{"id":"explicit.stat_4279535856","text":"Your Maps have #% increased chance to contain Strongboxes","type":"explicit"},{"id":"explicit.stat_3119612865","text":"Minions have #% additional Physical Damage Reduction","type":"explicit"},{"id":"explicit.stat_1852872083","text":"#% increased Damage with Hits against Rare and Unique Enemies","type":"explicit"},{"id":"explicit.stat_4181072906","text":"Players have #% less Recovery Rate of Life and Energy Shield","type":"explicit"},{"id":"explicit.stat_1825943485","text":"Area has #% increased chance to contain Essences","type":"explicit"},{"id":"explicit.stat_1825943485","text":"Your Maps have #% increased chance to contain Essences","type":"explicit"},{"id":"explicit.stat_3787460122","text":"Offerings have #% increased Maximum Life","type":"explicit"},{"id":"explicit.stat_1604736568","text":"Recover #% of maximum Mana on Kill (Jewel)","type":"explicit"},{"id":"explicit.stat_2898517796","text":"#% increased amount of Magic Chests","type":"explicit"},{"id":"explicit.stat_2898517796","text":"#% increased amount of Magic Chests in your Maps","type":"explicit"},{"id":"explicit.stat_798469000","text":"#% increased amount of Rare Chests","type":"explicit"},{"id":"explicit.stat_798469000","text":"#% increased amount of Rare Chests in your Maps","type":"explicit"},{"id":"explicit.stat_700317374","text":"#% increased Amount Recovered","type":"explicit"},{"id":"explicit.stat_3998863698","text":"Monsters have #% increased Freeze Buildup","type":"explicit"},{"id":"explicit.stat_1984618452","text":"Monsters have #% increased Shock Chance","type":"explicit"},{"id":"explicit.stat_2508044078","text":"Monsters inflict #% increased Flammability Magnitude","type":"explicit"},{"id":"explicit.stat_4236566306","text":"Meta Skills gain #% increased Energy","type":"explicit"},{"id":"explicit.stat_115425161","text":"Monsters have #% increased Stun Buildup","type":"explicit"},{"id":"explicit.stat_133340941","text":"Area has patches of Ignited Ground","type":"explicit"},{"id":"explicit.stat_1854213750","text":"Minions have #% increased Critical Damage Bonus","type":"explicit"},{"id":"explicit.stat_2506820610","text":"Monsters have #% chance to inflict Bleeding on Hit","type":"explicit"},{"id":"explicit.stat_337935900","text":"Monsters take #% reduced Extra Damage from Critical Hits","type":"explicit"},{"id":"explicit.stat_2549889921","text":"Players gain #% reduced Flask Charges","type":"explicit"},{"id":"explicit.stat_95221307","text":"Monsters have #% chance to Poison on Hit","type":"explicit"},{"id":"explicit.stat_3485067555","text":"#% increased Chill Duration on Enemies","type":"explicit"},{"id":"explicit.stat_2887760183","text":"Monsters gain #% of maximum Life as Extra maximum Energy Shield","type":"explicit"},{"id":"explicit.stat_2797971005","text":"Gain # Life per Enemy Hit with Attacks","type":"explicit"},{"id":"explicit.stat_2570249991","text":"Monsters are Evasive","type":"explicit"},{"id":"explicit.stat_1898978455","text":"Monster Damage Penetrates #% Elemental Resistances","type":"explicit"},{"id":"explicit.stat_491450213","text":"Minions have #% increased Critical Hit Chance","type":"explicit"},{"id":"explicit.stat_2539290279","text":"Monsters are Armoured","type":"explicit"},{"id":"explicit.stat_2065500219","text":"Monsters have #% increased Effectiveness","type":"explicit"},{"id":"explicit.stat_2065500219","text":"#% increased Effectiveness of Monsters in your Maps","type":"explicit"},{"id":"explicit.stat_3233599707","text":"#% increased Weapon Swap Speed","type":"explicit"},{"id":"explicit.stat_169946467","text":"#% increased Accuracy Rating with Bows","type":"explicit"},{"id":"explicit.stat_1772247089","text":"#% increased chance to inflict Ailments","type":"explicit"},{"id":"explicit.stat_349586058","text":"Area has patches of Chilled Ground","type":"explicit"},{"id":"explicit.stat_3376488707","text":"#% maximum Player Resistances","type":"explicit"},{"id":"explicit.stat_4226189338","text":"# to Level of all Chaos Spell Skills","type":"explicit"},{"id":"explicit.stat_3824372849","text":"#% increased Curse Duration","type":"explicit"},{"id":"explicit.stat_2582079000","text":"# Charm Slot","type":"explicit"},{"id":"explicit.stat_3362812763","text":"#% of Armour also applies to Elemental Damage","type":"explicit"},{"id":"explicit.stat_3477720557","text":"Area has patches of Shocked Ground","type":"explicit"},{"id":"explicit.stat_1873752457","text":"Gains # Charges per Second","type":"explicit"},{"id":"explicit.stat_3169585282","text":"Allies in your Presence have # to Accuracy Rating","type":"explicit"},{"id":"explicit.stat_627767961","text":"#% increased Damage while you have an active Charm","type":"explicit"},{"id":"explicit.stat_3780644166","text":"#% increased Freeze Threshold","type":"explicit"},{"id":"explicit.stat_1200678966","text":"#% increased bonuses gained from Equipped Quiver","type":"explicit"},{"id":"explicit.stat_1718147982","text":"#% increased Minion Accuracy Rating","type":"explicit"},{"id":"explicit.stat_828533480","text":"#% Chance to gain a Charge when you kill an enemy","type":"explicit"},{"id":"explicit.stat_2854751904","text":"Allies in your Presence deal # to # added Attack Lightning Damage","type":"explicit"},{"id":"explicit.stat_849987426","text":"Allies in your Presence deal # to # added Attack Fire Damage","type":"explicit"},{"id":"explicit.stat_970213192","text":"#% increased Skill Speed","type":"explicit"},{"id":"explicit.stat_3033371881","text":"Gain Deflection Rating equal to #% of Evasion Rating","type":"explicit"},{"id":"explicit.stat_1600707273","text":"# to Level of all Physical Spell Skills","type":"explicit"},{"id":"explicit.stat_2347036682","text":"Allies in your Presence deal # to # added Attack Cold Damage","type":"explicit"},{"id":"explicit.stat_1998951374","text":"Allies in your Presence have #% increased Attack Speed","type":"explicit"},{"id":"explicit.stat_3192728503","text":"#% increased Crossbow Reload Speed","type":"explicit"},{"id":"explicit.stat_1697447343","text":"#% increased Freeze Buildup with Quarterstaves","type":"explicit"},{"id":"explicit.stat_289128254","text":"Allies in your Presence have #% increased Cast Speed","type":"explicit"},{"id":"explicit.stat_656461285","text":"#% increased Intelligence","type":"explicit"},{"id":"explicit.stat_1238227257","text":"Debuffs on you expire #% faster","type":"explicit"},{"id":"explicit.stat_2594634307","text":"Mark Skills have #% increased Skill Effect Duration","type":"explicit"},{"id":"explicit.stat_4139681126","text":"#% increased Dexterity","type":"explicit"},{"id":"explicit.stat_734614379","text":"#% increased Strength","type":"explicit"},{"id":"explicit.stat_1250712710","text":"Allies in your Presence have #% increased Critical Hit Chance","type":"explicit"},{"id":"explicit.stat_1062710370","text":"#% increased Duration of Ignite, Shock and Chill on Enemies","type":"explicit"},{"id":"explicit.stat_318953428","text":"#% chance to Blind Enemies on Hit with Attacks","type":"explicit"},{"id":"explicit.stat_1574590649","text":"Allies in your Presence deal # to # added Attack Physical Damage","type":"explicit"},{"id":"explicit.stat_3057012405","text":"Allies in your Presence have #% increased Critical Damage Bonus","type":"explicit"},{"id":"explicit.stat_1714971114","text":"Mark Skills have #% increased Use Speed","type":"explicit"},{"id":"explicit.stat_2011656677","text":"#% increased Poison Duration","type":"explicit"},{"id":"explicit.stat_4095671657","text":"#% to Maximum Fire Resistance","type":"explicit"},{"id":"explicit.stat_3473929743","text":"#% increased Pin Buildup","type":"explicit"},{"id":"explicit.stat_1569101201","text":"Empowered Attacks deal #% increased Damage","type":"explicit"},{"id":"explicit.stat_3850614073","text":"Allies in your Presence have #% to all Elemental Resistances","type":"explicit"},{"id":"explicit.stat_3146310524","text":"Dazes on Hit","type":"explicit"},{"id":"explicit.stat_1594812856","text":"#% increased Damage with Warcries","type":"explicit"},{"id":"explicit.stat_1315743832","text":"#% increased Thorns damage","type":"explicit"},{"id":"explicit.stat_2301718443","text":"#% increased Damage against Enemies with Fully Broken Armour","type":"explicit"},{"id":"explicit.stat_1405298142","text":"#% increased Stun Threshold if you haven't been Stunned Recently","type":"explicit"},{"id":"explicit.stat_3732878551","text":"Rare Monsters have a #% chance to have an additional Modifier","type":"explicit"},{"id":"explicit.stat_3732878551","text":"Rare Monsters in your Maps have a #% chance to have an additional Modifier","type":"explicit"},{"id":"explicit.stat_1210760818","text":"Breaches have #% increased Monster density","type":"explicit"},{"id":"explicit.stat_1210760818","text":"Breaches in your Maps have #% increased Monster density","type":"explicit"},{"id":"explicit.stat_2541588185","text":"#% increased Duration (Charm)","type":"explicit"},{"id":"explicit.stat_1776411443","text":"Break #% increased Armour","type":"explicit"},{"id":"explicit.stat_3523867985","text":"#% increased Armour, Evasion and Energy Shield","type":"explicit"},{"id":"explicit.stat_941368244","text":"Players have #% more Cooldown Recovery Rate","type":"explicit"},{"id":"explicit.stat_1011760251","text":"#% to Maximum Lightning Resistance","type":"explicit"},{"id":"explicit.stat_2200661314","text":"Monsters deal #% of Damage as Extra Chaos","type":"explicit"},{"id":"explicit.stat_1879340377","text":"Monsters Break Armour equal to #% of Physical Damage dealt","type":"explicit"},{"id":"explicit.stat_3796523155","text":"#% less effect of Curses on Monsters","type":"explicit"},{"id":"explicit.stat_3222482040","text":"Monsters have #% chance to steal Power, Frenzy and Endurance charges on Hit","type":"explicit"},{"id":"explicit.stat_1309819744","text":"Monsters fire # additional Projectiles","type":"explicit"},{"id":"explicit.stat_1588049749","text":"Monsters have #% increased Accuracy Rating","type":"explicit"},{"id":"explicit.stat_2365392475","text":"Recover # Life when Used","type":"explicit"},{"id":"explicit.stat_173226756","text":"#% increased Recovery rate","type":"explicit"},{"id":"explicit.stat_1120862500","text":"Recover # Mana when Used","type":"explicit"},{"id":"explicit.stat_434750362","text":"#% increased Area of Effect for Attacks per 10 Intelligence","type":"explicit"},{"id":"explicit.stat_1791136590","text":"#% increased Weapon Damage per 10 Strength","type":"explicit"},{"id":"explicit.stat_889691035","text":"#% increased Attack Speed per 10 Dexterity","type":"explicit"},{"id":"explicit.stat_231864447","text":"Area contains an additional Rare Chest","type":"explicit"},{"id":"explicit.stat_231864447","text":"Your Maps contain an additional Rare Chest","type":"explicit"},{"id":"explicit.stat_1459321413","text":"#% increased Bleeding Duration","type":"explicit"},{"id":"explicit.stat_3119292058","text":"Enemies Chilled by your Hits can be Shattered as though Frozen","type":"explicit"},{"id":"explicit.stat_1708461270","text":"Monsters have #% increased Area of Effect","type":"explicit"},{"id":"explicit.stat_3676141501","text":"#% to Maximum Cold Resistance","type":"explicit"},{"id":"explicit.stat_3240183538","text":"Area contains an additional Strongbox","type":"explicit"},{"id":"explicit.stat_3240183538","text":"Your Maps contain # additional Strongboxes","type":"explicit"},{"id":"explicit.stat_924253255","text":"#% increased Slowing Potency of Debuffs on You","type":"explicit"},{"id":"explicit.stat_1468737867","text":"Area contains an additional Shrine","type":"explicit"},{"id":"explicit.stat_1468737867","text":"Your Maps contain an additional Shrine","type":"explicit"},{"id":"explicit.stat_918325986","text":"#% increased Skill Speed while Shapeshifted","type":"explicit"},{"id":"explicit.stat_395808938","text":"Area contains an additional Essence","type":"explicit"},{"id":"explicit.stat_395808938","text":"Your Maps contain an additional Essence","type":"explicit"},{"id":"explicit.stat_2224050171","text":"Breaches in Area contain # additional Clasped Hand","type":"explicit"},{"id":"explicit.stat_2224050171","text":"Breaches in your Maps contain # additional Clasped Hand","type":"explicit"},{"id":"explicit.stat_624534143","text":"#% increased Quantity of Breach Splinters dropped by Breach Monsters in Area","type":"explicit"},{"id":"explicit.stat_624534143","text":"#% increased Quantity of Breach Splinters dropped by Breach Monsters in your Maps","type":"explicit"},{"id":"explicit.stat_1228337241","text":"Gain #% of maximum Life as Extra maximum Energy Shield","type":"explicit"},{"id":"explicit.stat_2448633171","text":"#% of Damage taken bypasses Energy Shield","type":"explicit"},{"id":"explicit.stat_2480498143","text":"#% of Skill Mana Costs Converted to Life Costs","type":"explicit"},{"id":"explicit.stat_3049505189","text":"Areas which contain Breaches have #% chance to contain an additional Breach","type":"explicit"},{"id":"explicit.stat_3049505189","text":"Your Maps which contain Breaches have #% chance to contain an additional Breach","type":"explicit"},{"id":"explicit.stat_2440073079","text":"#% increased Damage while Shapeshifted","type":"explicit"},{"id":"explicit.stat_1004011302","text":"#% increased Cooldown Recovery Rate","type":"explicit"},{"id":"explicit.stat_3309089125","text":"Area contains # additional packs of Bramble Monsters","type":"explicit"},{"id":"explicit.stat_2949706590","text":"Area contains # additional packs of Iron Guards","type":"explicit"},{"id":"explicit.stat_240445958","text":"Area contains # additional packs of Undead","type":"explicit"},{"id":"explicit.stat_3592067990","text":"Area contains # additional packs of Plagued Monsters","type":"explicit"},{"id":"explicit.stat_1436812886","text":"Area contains # additional packs of Ezomyte Monsters","type":"explicit"},{"id":"explicit.stat_4130878258","text":"Area contains # additional packs of Faridun Monsters","type":"explicit"},{"id":"explicit.stat_4181857719","text":"Area contains # additional packs of Vaal Monsters","type":"explicit"},{"id":"explicit.stat_1689473577","text":"Area contains # additional packs of Transcended Monsters","type":"explicit"},{"id":"explicit.stat_3757259819","text":"Area contains # additional packs of Beasts","type":"explicit"},{"id":"explicit.stat_2503377690","text":"#% of Recovery applied Instantly","type":"explicit"},{"id":"explicit.stat_2676834156","text":"Also grants # Guard","type":"explicit"},{"id":"explicit.stat_3815617979","text":"Area has #% increased chance to contain Azmeri Spirits","type":"explicit"},{"id":"explicit.stat_3815617979","text":"Your Maps have #% increased chance to contain Azmeri Spirits","type":"explicit"},{"id":"explicit.stat_1389153006","text":"#% increased Global Defences","type":"explicit"},{"id":"explicit.stat_2639966148","text":"Minions Revive #% faster","type":"explicit"},{"id":"explicit.stat_2550456553","text":"Rare Monsters have # additional Modifier","type":"explicit"},{"id":"explicit.stat_2550456553","text":"Rare Monsters in your Maps have # additional Modifier","type":"explicit"},{"id":"explicit.stat_1686824704","text":"#% of Cold Damage Converted to Lightning Damage","type":"explicit"},{"id":"explicit.stat_2518900926","text":"#% increased Damage with Plant Skills","type":"explicit"},{"id":"explicit.stat_335699483","text":"Leeches #% of maximum Life when you Cast a Spell","type":"explicit"},{"id":"explicit.stat_866117935","text":"Area has #% increased chance to contain a Summoning Circle","type":"explicit"},{"id":"explicit.stat_1017648537","text":"Lightning damage from Hits Contributes to Electrocution Buildup","type":"explicit"},{"id":"explicit.stat_2672805335","text":"#% increased Attack and Cast Speed","type":"explicit"},{"id":"explicit.stat_2214228141","text":"Projectiles Pierce all Ignited enemies","type":"explicit"},{"id":"explicit.stat_1049080093","text":"Attacks Gain #% of Damage as Extra Fire Damage","type":"explicit"},{"id":"explicit.stat_1011772129","text":"Lightning Damage from Hits Contributes to Freeze Buildup instead of Shock Chance","type":"explicit"},{"id":"explicit.stat_2949096603","text":"Fire Damage from Hits Contributes to Shock Chance instead of Flammability and Ignite Magnitudes","type":"explicit"},{"id":"explicit.stat_1261612903","text":"Cold Damage from Hits Contributes to Flammability and Ignite Magnitudes instead of Chill Magnitude or Freeze Buildup","type":"explicit"},{"id":"explicit.stat_2458962764","text":"#% of Maximum Life Converted to Energy Shield","type":"explicit"},{"id":"explicit.stat_3837707023","text":"Minions have #% to Chaos Resistance","type":"explicit"},{"id":"explicit.stat_826162720","text":"Trigger Ember Fusillade Skill on casting a Spell","type":"explicit"},{"id":"explicit.stat_3771516363","text":"#% additional Physical Damage Reduction","type":"explicit"},{"id":"explicit.stat_3891355829|1","text":"Upgrades Radius to Medium","type":"explicit"},{"id":"explicit.stat_2200293569","text":"Mana Flasks gain # charges per Second","type":"explicit"},{"id":"explicit.stat_965913123","text":"#% chance to not destroy Corpses when Consuming Corpses","type":"explicit"},{"id":"explicit.stat_2154246560","text":"#% increased Damage","type":"explicit"},{"id":"explicit.stat_2637470878","text":"#% increased Armour Break Duration","type":"explicit"},{"id":"explicit.stat_243380454","text":"# additional Rare Monsters are spawned from Abysses","type":"explicit"},{"id":"explicit.stat_997343726","text":"Gain #% of Damage as Chaos Damage per Undead Minion","type":"explicit"},{"id":"explicit.stat_2118708619","text":"#% increased Damage if you have Consumed a Corpse Recently","type":"explicit"},{"id":"explicit.stat_811217923","text":"Trigger Spark Skill on killing a Shocked Enemy","type":"explicit"},{"id":"explicit.stat_3860150265","text":"Map Bosses grant #% increased Experience","type":"explicit"},{"id":"explicit.stat_828179689","text":"#% increased Magnitude of Chill you inflict","type":"explicit"},{"id":"explicit.stat_2353576063","text":"#% increased Curse Magnitudes","type":"explicit"},{"id":"explicit.stat_234296660","text":"Companions deal #% increased Damage","type":"explicit"},{"id":"explicit.stat_3119172063","text":"#% increased Quantity of Items dropped by Map Bosses","type":"explicit"},{"id":"explicit.stat_4255069232","text":"#% increased Rarity of Items dropped by Map Bosses","type":"explicit"},{"id":"explicit.stat_2696027455","text":"#% increased Damage with Spears","type":"explicit"},{"id":"explicit.stat_3544050945","text":"#% of Spell Mana Cost Converted to Life Cost","type":"explicit"},{"id":"explicit.stat_3885405204","text":"Bow Attacks fire # additional Arrows","type":"explicit"},{"id":"explicit.stat_3398787959","text":"Gain #% of Damage as Extra Chaos Damage","type":"explicit"},{"id":"explicit.stat_3973629633","text":"#% increased Withered Magnitude","type":"explicit"},{"id":"explicit.stat_704919631","text":"Trigger Lightning Bolt Skill on Critical Hit","type":"explicit"},{"id":"explicit.stat_1289045485","text":"Critical Hits Ignore Enemy Monster Lightning Resistance","type":"explicit"},{"id":"explicit.stat_1090596078","text":"Breaches in Area spawn #% increased Magic Monsters","type":"explicit"},{"id":"explicit.stat_1090596078","text":"Breaches in your Maps spawn #% increased Magic Monsters","type":"explicit"},{"id":"explicit.stat_1653625239","text":"Breaches in Area spawn an additional Rare Monster","type":"explicit"},{"id":"explicit.stat_1653625239","text":"Breaches in your Maps spawn an additional Rare Monster","type":"explicit"},{"id":"explicit.stat_1165163804","text":"#% increased Attack Speed with Spears","type":"explicit"},{"id":"explicit.stat_4187571952","text":"Gain no inherent bonus from Intelligence","type":"explicit"},{"id":"explicit.stat_603021645","text":"When a Party Member in your Presence Casts a Spell, you\nSacrifice #% of Mana and they Leech that Mana","type":"explicit"},{"id":"explicit.stat_648019518","text":"Removes #% of Life Recovered from Mana when used","type":"explicit"},{"id":"explicit.stat_1261982764","text":"#% increased Life Recovered","type":"explicit"},{"id":"explicit.stat_3003542304","text":"Projectiles have #% chance for an additional Projectile when Forking","type":"explicit"},{"id":"explicit.stat_3027830452","text":"Gain #% of maximum Mana as Extra maximum Energy Shield","type":"explicit"},{"id":"explicit.stat_3398301358","text":"Gain additional Ailment Threshold equal to #% of maximum Energy Shield","type":"explicit"},{"id":"explicit.stat_1102738251","text":"Life Flasks gain # charges per Second","type":"explicit"},{"id":"explicit.stat_1805182458","text":"Companions have #% increased maximum Life","type":"explicit"},{"id":"explicit.stat_474294393","text":"#% reduced Mana Cost of Skills","type":"explicit"},{"id":"explicit.stat_458438597","text":"#% of Damage is taken from Mana before Life","type":"explicit"},{"id":"explicit.stat_4287671144","text":"#% of your Base Life Regeneration is granted to Allies in your Presence","type":"explicit"},{"id":"explicit.stat_315791320","text":"Aura Skills have #% increased Magnitudes","type":"explicit"},{"id":"explicit.stat_710476746","text":"#% increased Reload Speed","type":"explicit"},{"id":"explicit.stat_1769611692","text":"Delirium in Area increases #% faster with distance from the mirror","type":"explicit"},{"id":"explicit.stat_1769611692","text":"Delirium in your Maps increases #% faster with distance from the mirror","type":"explicit"},{"id":"explicit.stat_3464380325","text":"Projectiles Split towards # targets","type":"explicit"},{"id":"explicit.stat_712554801","text":"#% increased Effect of your Mark Skills","type":"explicit"},{"id":"explicit.stat_1104825894","text":"#% faster Curse Activation","type":"explicit"},{"id":"explicit.stat_2929867083","text":"#% increased Rarity of Items found when on Low Life","type":"explicit"},{"id":"explicit.stat_360553763","text":"Abyssal Monsters have increased Difficulty and Reward for each closed Pit","type":"explicit"},{"id":"explicit.stat_210092264","text":"#% of Elemental Damage Converted to Cold Damage","type":"explicit"},{"id":"explicit.stat_40154188","text":"#% of Elemental Damage Converted to Fire Damage","type":"explicit"},{"id":"explicit.stat_289540902","text":"#% of Elemental Damage Converted to Lightning Damage","type":"explicit"},{"id":"explicit.stat_3868118796","text":"Attacks Chain an additional time","type":"explicit"},{"id":"explicit.stat_944630113","text":"Abysses spawn #% increased Monsters","type":"explicit"},{"id":"explicit.stat_944630113","text":"Abysses in your Maps spawn #% increased Monsters","type":"explicit"},{"id":"explicit.stat_4081947835","text":"Projectiles have #% chance to Chain an additional time from terrain","type":"explicit"},{"id":"explicit.stat_2722831300","text":"Abysses in Area have #% increased chance to lead to an Abyssal Depths","type":"explicit"},{"id":"explicit.stat_2722831300","text":"Abysses in your Maps have #% increased chance to lead to an Abyssal Depths","type":"explicit"},{"id":"explicit.stat_2041668411","text":"Physical Damage is Pinning","type":"explicit"},{"id":"explicit.stat_4256531808","text":"Abyss Pits in Area are twice as likely to have Rewards","type":"explicit"},{"id":"explicit.stat_3836551197","text":"#% increased Stack size of Simulacrum Splinters found in Area","type":"explicit"},{"id":"explicit.stat_3836551197","text":"#% increased Stack size of Simulacrum Splinters found in your Maps","type":"explicit"},{"id":"explicit.stat_2957407601","text":"Offering Skills have #% increased Duration","type":"explicit"},{"id":"explicit.stat_3371943724","text":"Trigger Decompose every 1.2 metres travelled","type":"explicit"},{"id":"explicit.stat_1585769763","text":"#% increased Blind Effect","type":"explicit"},{"id":"explicit.stat_3962960008","text":"Delirium Encounters in Area are #% more likely to spawn Unique Bosses","type":"explicit"},{"id":"explicit.stat_3962960008","text":"Delirium Encounters in your Maps are #% more likely to spawn Unique Bosses","type":"explicit"},{"id":"explicit.stat_3465791711","text":"Delirium Monsters in Area have #% increased Pack Size","type":"explicit"},{"id":"explicit.stat_3465791711","text":"Delirium Monsters in your Maps have #% increased Pack Size","type":"explicit"},{"id":"explicit.stat_1710200734","text":"#% increased chance for Desecrated Currency from Abysses in your Maps","type":"explicit"},{"id":"explicit.stat_538241406","text":"Damaging Ailments deal damage #% faster","type":"explicit"},{"id":"explicit.stat_1181501418","text":"# to Maximum Rage","type":"explicit"},{"id":"explicit.stat_2440265466","text":"Areas which contain Breaches have #% chance to contain three additional Breaches","type":"explicit"},{"id":"explicit.stat_2440265466","text":"Your Maps which contain Breaches have #% chance to contain three additional Breaches","type":"explicit"},{"id":"explicit.stat_2720982137","text":"Banner Skills have #% increased Duration","type":"explicit"},{"id":"explicit.stat_1869147066","text":"#% increased Glory generation for Banner Skills","type":"explicit"},{"id":"explicit.stat_610276769","text":"#% increased Movement Speed while affected by an Ailment","type":"explicit"},{"id":"explicit.stat_892489594","text":"#% increased Chance to be afflicted by Ailments when Hit","type":"explicit"},{"id":"explicit.stat_3418590244","text":"Can only be applied to Precursor Tower Maps\nCompleting the Tower makes all nearby Maps accessible","type":"explicit"},{"id":"explicit.stat_943702197","text":"Minions gain #% of their maximum Life as Extra maximum Energy Shield","type":"explicit"},{"id":"explicit.stat_2535267021","text":"Share Charges with Allies in your Presence","type":"explicit"},{"id":"explicit.stat_1433051415","text":"Enemies in your Presence are Ignited as though dealt # Base Fire Damage","type":"explicit"},{"id":"explicit.stat_4077035099","text":"Passives in Radius can be Allocated without being connected to your tree","type":"explicit"},{"id":"explicit.stat_3503160529","text":"#% of Fire Damage Converted to Cold Damage","type":"explicit"},{"id":"explicit.stat_1702195217","text":"#% to Block chance","type":"explicit"},{"id":"explicit.stat_1200347828","text":"Life Flasks used while on Low Life apply Recovery Instantly","type":"explicit"},{"id":"explicit.stat_1839832419","text":"Mana Flasks used while on Low Mana apply Recovery Instantly","type":"explicit"},{"id":"explicit.stat_2412053423","text":"#% increased Spell Damage per 10 Spirit","type":"explicit"},{"id":"explicit.stat_2895144208","text":"Maim on Critical Hit","type":"explicit"},{"id":"explicit.stat_1811130680","text":"#% increased Mana Recovered","type":"explicit"},{"id":"explicit.stat_959641748","text":"Removes #% of Mana Recovered from Life when used","type":"explicit"},{"id":"explicit.stat_2789248444","text":"#% increased chance for Abyssal monsters in your Maps to have Abyssal Modifiers","type":"explicit"},{"id":"explicit.stat_3111921451","text":"Adds # to # Lightning Damage to Attacks per 20 Intelligence","type":"explicit"},{"id":"explicit.stat_720908147","text":"#% increased Attack Speed per 20 Dexterity","type":"explicit"},{"id":"explicit.stat_854225133","text":"You have no Life Regeneration","type":"explicit"},{"id":"explicit.stat_2905515354","text":"You take #% of damage from Blocked Hits","type":"explicit"},{"id":"explicit.stat_990363519","text":"Enemies in your Presence have #% to Fire Resistance","type":"explicit"},{"id":"explicit.stat_842299438","text":"Bolts fired by Crossbow Attacks have #% chance to not\nexpend Ammunition if you've Reloaded Recently","type":"explicit"},{"id":"explicit.stat_3428124128","text":"Delirious Monsters Killed in Area provide #% increased Reward Progress","type":"explicit"},{"id":"explicit.stat_3428124128","text":"Delirious Monsters killed in your Maps provide #% increased Reward Progress","type":"explicit"},{"id":"explicit.stat_3627052716","text":"#% of Lightning Damage Converted to Cold Damage","type":"explicit"},{"id":"explicit.stat_3035140377","text":"# to Level of all Attack Skills","type":"explicit"},{"id":"explicit.stat_2153364323","text":"# Intelligence Requirement","type":"explicit"},{"id":"explicit.stat_2356156926","text":"Drop Ignited Ground while moving, which lasts 8 seconds and Ignites as though dealing Fire Damage equal to #% of your maximum Life","type":"explicit"},{"id":"explicit.stat_3596695232","text":"#% increased Projectile Damage if you've dealt a Melee Hit in the past eight seconds","type":"explicit"},{"id":"explicit.stat_613752285","text":"Sacrifice #% of Life to gain that much Energy Shield when you Cast a Spell","type":"explicit"},{"id":"explicit.stat_423304126","text":"You count as on Full Mana while at #% of maximum Mana or above","type":"explicit"},{"id":"explicit.stat_2933846633","text":"Dazes on Hit","type":"explicit"},{"id":"explicit.stat_2091621414","text":"Causes Bleeding on Hit","type":"explicit"},{"id":"explicit.stat_3028809864","text":"#% increased Melee Damage if you've dealt a Projectile Attack Hit in the past eight seconds","type":"explicit"},{"id":"explicit.stat_4145314483","text":"#% increased Attack Speed while on Full Mana","type":"explicit"},{"id":"explicit.stat_796381300","text":"Gain 0% to #% increased Movement Speed at random when Hit, until Hit again","type":"explicit"},{"id":"explicit.stat_886931978","text":"#% more Recovery if used while on Low Life","type":"explicit"},{"id":"explicit.stat_1993950627","text":"# to # Fire Thorns damage","type":"explicit"},{"id":"explicit.stat_1004468512","text":"#% of Physical Damage taken as Fire Damage","type":"explicit"},{"id":"explicit.stat_2511217560","text":"#% increased Stun Recovery","type":"explicit"},{"id":"explicit.stat_3450276548","text":"Blind Chilled enemies on Hit","type":"explicit"},{"id":"explicit.stat_2230687504","text":"Strength can satisfy other Attribute Requirements of Melee Weapons and Melee Skills","type":"explicit"},{"id":"explicit.stat_1631928082","text":"Increases and Reductions to Minion Damage also affect you","type":"explicit"},{"id":"explicit.stat_2262736444","text":"Eldritch Battery","type":"explicit"},{"id":"explicit.stat_2456523742","text":"#% increased Critical Damage Bonus with Spears","type":"explicit"},{"id":"explicit.stat_1618482990","text":"#% chance for Energy Shield Recharge to start when you Kill an Enemy","type":"explicit"},{"id":"explicit.stat_3276224428","text":"#% more Recovery if used while on Low Mana","type":"explicit"},{"id":"explicit.stat_769129523","text":"Causes Double Stun Buildup","type":"explicit"},{"id":"explicit.stat_2306924373","text":"You cannot be Chilled for # second after being Chilled","type":"explicit"},{"id":"explicit.stat_3612464552","text":"You cannot be Frozen for # second after being Frozen","type":"explicit"},{"id":"explicit.stat_4275855121","text":"Curses you inflict are reflected back to you","type":"explicit"},{"id":"explicit.stat_947072590","text":"You cannot be Ignited for # second after being Ignited","type":"explicit"},{"id":"explicit.stat_215346464","text":"You cannot be Shocked for # second after being Shocked","type":"explicit"},{"id":"explicit.stat_2592455368","text":"You have a Smoke Cloud around you while stationary","type":"explicit"},{"id":"explicit.stat_98977150","text":"Pain Attunement","type":"explicit"},{"id":"explicit.stat_1902409192","text":"Lose # Life when you use a Skill","type":"explicit"},{"id":"explicit.stat_2416869319","text":"Grants #% of Life Recovery to Minions","type":"explicit"},{"id":"explicit.stat_1689729380","text":"#% chance to Avoid Death from Hits","type":"explicit"},{"id":"explicit.stat_3612407781","text":"# Physical damage taken from Projectile Attacks","type":"explicit"},{"id":"explicit.stat_1683578560","text":"Unwavering Stance","type":"explicit"},{"id":"explicit.stat_836936635","text":"Regenerate #% of maximum Life per second","type":"explicit"},{"id":"explicit.stat_50721145","text":"Your speed is unaffected by Slows","type":"explicit"},{"id":"explicit.stat_394473632","text":"Small Passive Skills in Radius also grant #% increased Flammability Magnitude","type":"explicit"},{"id":"explicit.stat_3590792340","text":"#% increased Mana Flask Charges gained","type":"explicit"},{"id":"explicit.stat_1466716929","text":"Gain # Rage when Critically Hit by an Enemy","type":"explicit"},{"id":"explicit.stat_3045072899","text":"Minions' Resistances are equal to yours","type":"explicit"},{"id":"explicit.stat_3222402650","text":"Small Passive Skills in Radius also grant #% increased Elemental Damage","type":"explicit"},{"id":"explicit.stat_1569159338","text":"#% increased Parry Damage","type":"explicit"},{"id":"explicit.stat_585231074","text":"No Movement Speed Penalty while Shield is Raised","type":"explicit"},{"id":"explicit.stat_4009879772","text":"#% increased Life Flask Charges gained","type":"explicit"},{"id":"explicit.stat_1094937621","text":"Critical Hits ignore Enemy Monster Elemental Resistances","type":"explicit"},{"id":"explicit.stat_1158324489","text":"Culling Strike against Frozen Enemies","type":"explicit"},{"id":"explicit.stat_3761294489","text":"All Damage from Hits with this Weapon Contributes to Freeze Buildup","type":"explicit"},{"id":"explicit.stat_3393547195","text":"#% increased Movement Speed when on Full Life","type":"explicit"},{"id":"explicit.stat_3764198549","text":"Every 3 seconds, Consume a nearby Corpse to Recover #% of maximum Life","type":"explicit"},{"id":"explicit.stat_88817332","text":"#% increased Evasion Rating when on Full Life","type":"explicit"},{"id":"explicit.stat_2567751411","text":"Warcry Skills have #% increased Area of Effect","type":"explicit"},{"id":"explicit.stat_11014011","text":"Warcries Explode Corpses dealing #% of their Life as Physical Damage","type":"explicit"},{"id":"explicit.stat_3891355829|2","text":"Upgrades Radius to Large","type":"explicit"},{"id":"explicit.stat_381470861","text":"Enemies are Culled on Block","type":"explicit"},{"id":"explicit.stat_2714810050","text":"Enemies Ignited by you take Chaos Damage instead of Fire Damage from Ignite","type":"explicit"},{"id":"explicit.stat_1086147743","text":"#% increased Ignite Duration on Enemies","type":"explicit"},{"id":"explicit.stat_2635559734","text":"Base Critical Hit Chance for Attacks with Weapons is #%","type":"explicit"},{"id":"explicit.stat_3423694372","text":"#% chance to be inflicted with Bleeding when Hit","type":"explicit"},{"id":"explicit.stat_1060572482","text":"#% increased Effect of Small Passive Skills in Radius","type":"explicit"},{"id":"explicit.stat_1092987622","text":"#% of Melee Physical Damage taken reflected to Attacker","type":"explicit"},{"id":"explicit.stat_2214130968","text":"Always deals Critical Hits against Heavy Stunned Enemies","type":"explicit"},{"id":"explicit.stat_326965591","text":"Iron Reflexes","type":"explicit"},{"id":"explicit.stat_2715190555","text":"#% to Thorns Critical Hit Chance","type":"explicit"},{"id":"explicit.stat_2894895028","text":"Damage over Time bypasses your Energy Shield\nWhile not on Full Life, Sacrifice #% of maximum Mana per Second to Recover that much Life","type":"explicit"},{"id":"explicit.stat_3308030688","text":"#% increased Mana Regeneration Rate while stationary","type":"explicit"},{"id":"explicit.stat_4176970656","text":"# Physical Damage taken on Minion Death","type":"explicit"},{"id":"explicit.stat_1419390131","text":"Energy Shield Recharge is not interrupted by Damage if Recharge began Recently","type":"explicit"},{"id":"explicit.stat_1352729973","text":"Area has #% increased chance to contain Rogue Exiles","type":"explicit"},{"id":"explicit.stat_1352729973","text":"Your Maps have #% increased chance to contain Rogue Exiles","type":"explicit"},{"id":"explicit.stat_4256314560","text":"Shocks you when you reach maximum Power Charges","type":"explicit"},{"id":"explicit.stat_1697951953","text":"#% increased Hazard Damage","type":"explicit"},{"id":"explicit.stat_2135899247","text":"Lose all Power Charges on reaching maximum Power Charges","type":"explicit"},{"id":"explicit.stat_1453197917","text":"#% chance to gain a Power Charge on Hit","type":"explicit"},{"id":"explicit.stat_62849030","text":"Critical Hits Poison the enemy","type":"explicit"},{"id":"explicit.stat_3811191316","text":"Minions have #% increased Area of Effect","type":"explicit"},{"id":"explicit.stat_4258409981","text":"Deal #% increased Damage with Hits to Rare or Unique Enemies for each second they've ever been in your Presence, up to a maximum of 200%","type":"explicit"},{"id":"explicit.stat_1374654984","text":"#% of Physical Damage prevented Recouped as Life","type":"explicit"},{"id":"explicit.stat_4163415912","text":"+# to Spirit per Socket filled","type":"explicit"},{"id":"explicit.stat_1306791873","text":"Lose all Fragile Regrowth when Hit","type":"explicit"},{"id":"explicit.stat_344174146","text":"#% increased Mana Regeneration Rate per Fragile Regrowth","type":"explicit"},{"id":"explicit.stat_1173537953","text":"Maximum # Fragile Regrowth","type":"explicit"},{"id":"explicit.stat_3175722882","text":"#% of maximum Life Regenerated per second per Fragile Regrowth","type":"explicit"},{"id":"explicit.stat_3841984913","text":"Gain # Fragile Regrowth each second","type":"explicit"},{"id":"explicit.stat_3942946753","text":"Regenerate #% of maximum Life per second while on Low Life","type":"explicit"},{"id":"explicit.stat_38301299","text":"#% to Fire Resistance while on Low Life","type":"explicit"},{"id":"explicit.stat_281311123","text":"Iron Will","type":"explicit"},{"id":"explicit.stat_3528245713","text":"Iron Grip","type":"explicit"},{"id":"explicit.stat_4058681894","text":"Your Critical Hits do not deal extra Damage","type":"explicit"},{"id":"explicit.stat_2310741722","text":"#% increased Life and Mana Recovery from Flasks","type":"explicit"},{"id":"explicit.stat_356835700","text":"You are considered on Low Life while at #% of maximum Life or below instead","type":"explicit"},{"id":"explicit.stat_1435496528","text":"Gain Cold Thorns Damage equal to #% of your maximum Mana","type":"explicit"},{"id":"explicit.stat_632761194","text":"Life Regeneration is applied to Energy Shield instead","type":"explicit"},{"id":"explicit.stat_1457896329","text":"#% increased Quantity of Waystones dropped by Map Bosses","type":"explicit"},{"id":"explicit.stat_3801067695","text":"#% reduced effect of Shock on you","type":"explicit"},{"id":"explicit.stat_67637087","text":"#% less Damage taken if you have not been Hit Recently","type":"explicit"},{"id":"explicit.stat_1073310669","text":"#% increased Evasion Rating if you have been Hit Recently","type":"explicit"},{"id":"explicit.stat_3205239847","text":"#% of Fire Damage from Hits taken as Physical Damage","type":"explicit"},{"id":"explicit.stat_1478653032","text":"#% reduced Effect of Chill on you","type":"explicit"},{"id":"explicit.stat_1269971728","text":"#% reduced Magnitude of Ignite on you","type":"explicit"},{"id":"explicit.stat_289086688","text":"Hits Break # Armour","type":"explicit"},{"id":"explicit.stat_3439162551","text":"Inflicts Fire Exposure when this Weapon Fully Breaks Armour","type":"explicit"},{"id":"explicit.stat_3414243317","text":"Thorns can Retaliate against all Hits","type":"explicit"},{"id":"explicit.stat_3037553757","text":"#% increased Warcry Buff Effect","type":"explicit"},{"id":"explicit.stat_2793222406","text":"#% increased bonuses gained from Equipped Rings","type":"explicit"},{"id":"explicit.stat_3605721598","text":"Leeching Life from your Hits causes Allies in your Presence to also Leech the same amount of Life","type":"explicit"},{"id":"explicit.stat_185580205","text":"Charms gain # charges per Second","type":"explicit"},{"id":"explicit.stat_1457411584","text":"Every 4 seconds, Recover 1 Life for every # Life Recovery per second from Regeneration","type":"explicit"},{"id":"explicit.stat_3947672598","text":"Life Recovery from Regeneration is not applied","type":"explicit"},{"id":"explicit.stat_701564564","text":"Gain #% of Elemental Damage as Extra Fire Damage","type":"explicit"},{"id":"explicit.stat_3665922113","text":"Small Passive Skills in Radius also grant #% increased maximum Energy Shield","type":"explicit"},{"id":"explicit.stat_1158842087","text":"Gain #% of Elemental Damage as Extra Cold Damage","type":"explicit"},{"id":"explicit.stat_3550887155","text":"Gain #% of Elemental Damage as Extra Lightning Damage","type":"explicit"},{"id":"explicit.stat_2438634449","text":"#% chance to Aggravate Bleeding on targets you Critically Hit with Attacks","type":"explicit"},{"id":"explicit.stat_1170174456","text":"#% increased Endurance Charge Duration","type":"explicit"},{"id":"explicit.stat_939832726","text":"Recover #% of maximum Life for each Endurance Charge consumed","type":"explicit"},{"id":"explicit.stat_1137305356","text":"Small Passive Skills in Radius also grant #% increased Spell Damage","type":"explicit"},{"id":"explicit.stat_3686997387","text":"Double Stun Threshold while Shield is Raised","type":"explicit"},{"id":"explicit.stat_3749630567","text":"#% less Flask Charges used","type":"explicit"},{"id":"explicit.stat_1225174187","text":"#% increased Global Defences per Socket filled","type":"explicit"},{"id":"explicit.stat_78985352","text":"#% chance to Intimidate Enemies for 4 seconds on Hit","type":"explicit"},{"id":"explicit.stat_2995914769","text":"Every Rage also grants #% increased Armour","type":"explicit"},{"id":"explicit.stat_674553446","text":"Adds # to # Chaos Damage to Attacks","type":"explicit"},{"id":"explicit.stat_258119672","text":"# metre to Dodge Roll distance","type":"explicit"},{"id":"explicit.stat_588512487","text":"Map has # additional random Modifier","type":"explicit"},{"id":"explicit.stat_588512487","text":"Your Maps have # additional random Modifier","type":"explicit"},{"id":"explicit.stat_1030153674","text":"Recover #% of maximum Mana on Kill","type":"explicit"},{"id":"explicit.stat_1040569494","text":"#% increased Evasion Rating if you've Dodge Rolled Recently","type":"explicit"},{"id":"explicit.stat_3314057862","text":"Ignites you inflict spread to other Enemies that stay within 1.5 metres for 1 second","type":"explicit"},{"id":"explicit.stat_352044736","text":"Every Rage also grants #% increased Stun Threshold","type":"explicit"},{"id":"explicit.stat_841429130","text":"Bleeding you inflict is Aggravated","type":"explicit"},{"id":"explicit.stat_1084853859","text":"Delirium Fog in your Maps never dissipates","type":"explicit"},{"id":"explicit.stat_3855016469","text":"Hits against you have #% reduced Critical Damage Bonus","type":"explicit"},{"id":"explicit.stat_2593651571","text":"+#% to all Elemental Resistances per Socket filled","type":"explicit"},{"id":"explicit.stat_2839545956","text":"Area contains an additional Summoning Circle","type":"explicit"},{"id":"explicit.stat_3490187949","text":"Area contains # additional Abysses","type":"explicit"},{"id":"explicit.stat_2741291867","text":"Area is overrun by the Abyssal","type":"explicit"},{"id":"explicit.stat_2875218423","text":"Damage Blocked is Recouped as Mana","type":"explicit"},{"id":"explicit.stat_2500154144","text":"Can Reroll Favours at Ritual Altars in your Maps twice as many times","type":"explicit"},{"id":"explicit.stat_1217651243","text":"Breaches expand to at least # metre in radius\nBreaches remain open while there are alive Breach Monsters","type":"explicit"},{"id":"explicit.stat_1217651243","text":"Breaches in your Maps expand to at least # metre in radius\nBreaches in your Maps remain open while there are alive Breach Monsters","type":"explicit"},{"id":"explicit.stat_1228222525","text":"Favours at Ritual Altars in Area costs #% increased Tribute","type":"explicit"},{"id":"explicit.stat_2442527254","text":"Small Passive Skills in Radius also grant #% increased Cold Damage","type":"explicit"},{"id":"explicit.stat_4224965099","text":"Lightning Damage of Enemies Hitting you is Lucky","type":"explicit"},{"id":"explicit.stat_1022759479","text":"Notable Passive Skills in Radius also grant #% increased Cast Speed","type":"explicit"},{"id":"explicit.stat_2739148464","text":"Has no Attribute Requirements","type":"explicit"},{"id":"explicit.stat_2022332470","text":"You take Fire Damage instead of Physical Damage from Bleeding","type":"explicit"},{"id":"explicit.stat_2081918629","text":"#% increased effect of Socketed Items","type":"explicit"},{"id":"explicit.stat_2816104578","text":"Runic Monsters in your Maps are Duplicated","type":"explicit"},{"id":"explicit.stat_144770454","text":"Expedition Monsters in your Maps spawn with half of their Life missing","type":"explicit"},{"id":"explicit.stat_358129101","text":"Area contains # additional Azmeri Spirit","type":"explicit"},{"id":"explicit.stat_2504358770","text":"Breaches open and close #% faster","type":"explicit"},{"id":"explicit.stat_2504358770","text":"Breaches in your Maps open and close #% faster","type":"explicit"},{"id":"explicit.stat_2768899959","text":"Small Passive Skills in Radius also grant #% increased Lightning Damage","type":"explicit"},{"id":"explicit.stat_2282052746","text":"Rerolling Favours at Ritual Altars in Area costs #% increased Tribute","type":"explicit"},{"id":"explicit.stat_2282052746","text":"Rerolling Favours at Ritual Altars in your Maps costs #% increased Tribute","type":"explicit"},{"id":"explicit.stat_2350411833","text":"You lose #% of maximum Energy Shield per second","type":"explicit"},{"id":"explicit.stat_455816363","text":"Small Passive Skills in Radius also grant #% increased Projectile Damage","type":"explicit"},{"id":"explicit.stat_999436592","text":"Excess Life Recovery from Leech is applied to Energy Shield","type":"explicit"},{"id":"explicit.stat_429143663","text":"Banner Skills have #% increased Area of Effect","type":"explicit"},{"id":"explicit.stat_1978899297","text":"#% to all Maximum Elemental Resistances","type":"explicit"},{"id":"explicit.stat_159726667","text":"Monsters Sacrificed at Ritual Altars in Area grant #% increased Tribute","type":"explicit"},{"id":"explicit.stat_159726667","text":"Monsters Sacrificed at Ritual Altars in your Maps grant #% increased Tribute","type":"explicit"},{"id":"explicit.stat_1526933524","text":"Instant Recovery","type":"explicit"},{"id":"explicit.stat_3350944114","text":"Delirium Fog in Area dissipates #% faster","type":"explicit"},{"id":"explicit.stat_3350944114","text":"Delirium Fog in your Maps dissipates #% faster","type":"explicit"},{"id":"explicit.stat_551040294","text":"Delirium Fog in Area spawns #% increased Fracturing Mirrors","type":"explicit"},{"id":"explicit.stat_551040294","text":"Delirium Fog in your Maps spawns #% increased Fracturing Mirrors","type":"explicit"},{"id":"explicit.stat_1373370443","text":"Skills have a #% longer Perfect Timing window","type":"explicit"},{"id":"explicit.stat_3885501357","text":"#% increased bonuses gained from right Equipped Ring","type":"explicit"},{"id":"explicit.stat_513747733","text":"#% increased bonuses gained from left Equipped Ring","type":"explicit"},{"id":"explicit.stat_1816894864","text":"Enemies Chilled by your Hits increase damage taken by Chill Magnitude","type":"explicit"},{"id":"explicit.stat_2913235441","text":"When you kill a Rare monster, you gain its Modifiers for 60 seconds","type":"explicit"},{"id":"explicit.stat_1484500028","text":"Attacks Gain #% of Damage as Extra Cold Damage","type":"explicit"},{"id":"explicit.stat_2890355696","text":"Area has #% chance to contain four additional Abysses","type":"explicit"},{"id":"explicit.stat_2954360902","text":"Small Passive Skills in Radius also grant Minions deal #% increased Damage","type":"explicit"},{"id":"explicit.stat_911712882","text":"#% increased Maximum Mana per Socket filled","type":"explicit"},{"id":"explicit.stat_2293111154","text":"Increases and Reductions to Minion Attack Speed also affect you","type":"explicit"},{"id":"explicit.stat_1185341308","text":"Notable Passive Skills in Radius also grant #% increased Life Regeneration rate","type":"explicit"},{"id":"explicit.stat_3666476747","text":"Small Passive Skills in Radius also grant #% increased amount of Life Leeched","type":"explicit"},{"id":"explicit.stat_313223231","text":"#% increased Rarity of Items found per Socket filled","type":"explicit"},{"id":"explicit.stat_4065505214","text":"#% increased effect of Socketed Soul Cores","type":"explicit"},{"id":"explicit.stat_1994296038","text":"Small Passive Skills in Radius also grant #% increased Evasion Rating","type":"explicit"},{"id":"explicit.stat_2822644689","text":"Notable Passive Skills in Radius also grant #% increased Attack Speed","type":"explicit"},{"id":"explicit.stat_3256879910","text":"Small Passive Skills in Radius also grant #% increased Mana Regeneration Rate","type":"explicit"},{"id":"explicit.stat_4173554949","text":"Notable Passive Skills in Radius also grant #% increased Stun Buildup","type":"explicit"},{"id":"explicit.stat_1426522529","text":"Small Passive Skills in Radius also grant #% increased Attack Damage","type":"explicit"},{"id":"explicit.stat_2301852600","text":"Deal #% of Overkill damage to enemies within 2 metres of the enemy killed","type":"explicit"},{"id":"explicit.stat_484792219","text":"Small Passive Skills in Radius also grant #% increased Stun Threshold","type":"explicit"},{"id":"explicit.stat_3465022881","text":"#% to Lightning and Chaos Resistances","type":"explicit"},{"id":"explicit.stat_874646180","text":"Aggravate Bleeding on Enemies when they Enter your Presence","type":"explicit"},{"id":"explicit.stat_4101445926","text":"#% increased Mana Cost Efficiency","type":"explicit"},{"id":"explicit.stat_1458461453","text":"Map Bosses have # additional Modifier","type":"explicit"},{"id":"explicit.stat_4012215578","text":"All Damage from Hits Contributes to Poison Magnitude","type":"explicit"},{"id":"explicit.stat_2930706364","text":"Permanently Intimidate enemies on Block","type":"explicit"},{"id":"explicit.stat_533892981","text":"Small Passive Skills in Radius also grant #% increased Accuracy Rating","type":"explicit"},{"id":"explicit.stat_2315177528","text":"Chaos Damage from Hits also Contributes to Electrocute Buildup","type":"explicit"},{"id":"explicit.stat_261503687","text":"Attacks Gain #% of Physical Damage as extra Chaos Damage","type":"explicit"},{"id":"explicit.stat_2704905000","text":"Notable Passive Skills in Radius also grant #% increased Critical Hit Chance for Spells","type":"explicit"},{"id":"explicit.stat_2973498992","text":"Chaos Damage from Hits also Contributes to Freeze Buildup","type":"explicit"},{"id":"explicit.stat_1174954559","text":"Delirium Fog in Area lasts # additional seconds before dissipating","type":"explicit"},{"id":"explicit.stat_1174954559","text":"Delirium Fog in your Maps lasts # additional seconds before dissipating","type":"explicit"},{"id":"explicit.stat_2513318031","text":"#% increased Attributes per Socket filled","type":"explicit"},{"id":"explicit.stat_2308632835","text":"#% increased Reservation Efficiency of Skills which create Undead Minions","type":"explicit"},{"id":"explicit.stat_1881230714","text":"#% chance to gain Onslaught on Killing Hits with this Weapon","type":"explicit"},{"id":"explicit.stat_2359002191","text":"Notable Passive Skills in Radius also grant #% increased Critical Damage Bonus","type":"explicit"},{"id":"explicit.stat_4219583418","text":"#% increased quantity of Artifacts dropped by Monsters","type":"explicit"},{"id":"explicit.stat_4219583418","text":"#% increased quantity of Artifacts dropped by Monsters in your Maps","type":"explicit"},{"id":"explicit.stat_2702182380","text":"#% increased Maximum Life per Socket filled","type":"explicit"},{"id":"explicit.stat_1967051901","text":"Loads an additional bolt","type":"explicit"},{"id":"explicit.stat_1539368271","text":"#% increased Expedition Explosive Placement Range","type":"explicit"},{"id":"explicit.stat_1539368271","text":"#% increased Expedition Explosive Placement Range in your Maps","type":"explicit"},{"id":"explicit.stat_4283407333","text":"# to Level of all Skills","type":"explicit"},{"id":"explicit.stat_2077117738","text":"Notable Passive Skills in Radius also grant #% increased Critical Hit Chance","type":"explicit"},{"id":"explicit.stat_1488650448","text":"# to Ailment Threshold","type":"explicit"},{"id":"explicit.stat_1195849808","text":"You gain Onslaught for # seconds on Kill","type":"explicit"},{"id":"explicit.stat_378817135","text":"#% to Fire and Chaos Resistances","type":"explicit"},{"id":"explicit.stat_2588474575","text":"Map Bosses are Hunted by Azmeri Spirits","type":"explicit"},{"id":"explicit.stat_3753748365","text":"Damage of Enemies Hitting you is Unlucky while you are on Low Life","type":"explicit"},{"id":"explicit.stat_3289828378","text":"#% increased Expedition Explosive Radius","type":"explicit"},{"id":"explicit.stat_3289828378","text":"#% increased Expedition Explosive Radius in your Maps","type":"explicit"},{"id":"explicit.stat_2002533190","text":"Regenerate #% of maximum Life per second while Surrounded","type":"explicit"},{"id":"explicit.stat_474452755","text":"Cannot Evade Enemy Attacks","type":"explicit"},{"id":"explicit.stat_3393628375","text":"#% to Cold and Chaos Resistances","type":"explicit"},{"id":"explicit.stat_1451444093","text":"Bifurcates Critical Hits","type":"explicit"},{"id":"explicit.stat_1417267954","text":"Small Passive Skills in Radius also grant #% increased Global Physical Damage","type":"explicit"},{"id":"explicit.stat_410952253","text":"Cannot have Energy Shield","type":"explicit"},{"id":"explicit.stat_3276271783","text":"Regenerate # Life per second per Maximum Energy Shield","type":"explicit"},{"id":"explicit.stat_1337740333","text":"Small Passive Skills in Radius also grant #% increased Melee Damage","type":"explicit"},{"id":"explicit.stat_586037801","text":"#% increased Desecrated Modifier magnitudes","type":"explicit"},{"id":"explicit.stat_2838161567","text":"Skills reserve 50% less Spirit","type":"explicit"},{"id":"explicit.stat_227523295","text":"# to Maximum Power Charges","type":"explicit"},{"id":"explicit.stat_554899692","text":"# Charm Slot (Global)","type":"explicit"},{"id":"explicit.stat_1896066427","text":"Small Passive Skills in Radius also grant Damage Penetrates #% Cold Resistance","type":"explicit"},{"id":"explicit.stat_139889694","text":"Small Passive Skills in Radius also grant #% increased Fire Damage","type":"explicit"},{"id":"explicit.stat_1552666713","text":"Small Passive Skills in Radius also grant #% increased Energy Shield Recharge Rate","type":"explicit"},{"id":"explicit.stat_3394832998","text":"Notable Passive Skills in Radius also grant #% faster start of Energy Shield Recharge","type":"explicit"},{"id":"explicit.stat_980177976","text":"Small Passive Skills in Radius also grant #% increased Life Recovery from Flasks","type":"explicit"},{"id":"explicit.stat_1755296234","text":"Targets can be affected by # of your Poisons at the same time","type":"explicit"},{"id":"explicit.stat_1658498488","text":"Corrupted Blood cannot be inflicted on you","type":"explicit"},{"id":"explicit.stat_1256719186","text":"#% increased Duration (Flask)","type":"explicit"},{"id":"explicit.stat_3858398337","text":"Small Passive Skills in Radius also grant #% increased Armour","type":"explicit"},{"id":"explicit.stat_945774314","text":"Small Passive Skills in Radius also grant #% increased Damage with Bows","type":"explicit"},{"id":"explicit.stat_1309799717","text":"Small Passive Skills in Radius also grant #% increased Chaos Damage","type":"explicit"},{"id":"explicit.stat_2369960685","text":"#% of charges used by Charms granted to your Life Flasks","type":"explicit"},{"id":"explicit.stat_259470957","text":"On-Kill Effects happen twice","type":"explicit"},{"id":"explicit.stat_265717301","text":"Life Flasks do not recover Life","type":"explicit"},{"id":"explicit.stat_1920747151","text":"Non-Channelling Spells cost an additional #% of your maximum Life","type":"explicit"},{"id":"explicit.stat_3821543413","text":"Notable Passive Skills in Radius also grant #% increased Block chance","type":"explicit"},{"id":"explicit.stat_868556494","text":"Small Passive Skills in Radius also grant Damage Penetrates #% Lightning Resistance","type":"explicit"},{"id":"explicit.stat_3751072557","text":"Curses have no Activation Delay","type":"explicit"},{"id":"explicit.stat_2333085568","text":"# to all Attributes per Level","type":"explicit"},{"id":"explicit.stat_378796798","text":"Small Passive Skills in Radius also grant Minions have #% increased maximum Life","type":"explicit"},{"id":"explicit.stat_253641217","text":"Notable Passive Skills in Radius also grant #% increased Ignite Magnitude","type":"explicit"},{"id":"explicit.stat_2439129490","text":"Chaos Resistance is zero","type":"explicit"},{"id":"explicit.stat_3389184522","text":"Leech from Critical Hits is instant","type":"explicit"},{"id":"explicit.stat_3371085671","text":"Unique Monsters have # additional Rare Modifier","type":"explicit"},{"id":"explicit.stat_3371085671","text":"Unique Monsters in your Maps have # additional Rare Modifier","type":"explicit"},{"id":"explicit.stat_65133983","text":"Drop Shocked Ground while moving, lasting 8 seconds","type":"explicit"},{"id":"explicit.stat_517664839","text":"Small Passive Skills in Radius also grant #% increased Damage with Crossbows","type":"explicit"},{"id":"explicit.stat_3401186585","text":"#% increased Parried Debuff Duration","type":"explicit"},{"id":"explicit.stat_3391917254","text":"Notable Passive Skills in Radius also grant #% increased Area of Effect","type":"explicit"},{"id":"explicit.stat_3641543553","text":"Notable Passive Skills in Radius also grant #% increased Attack Speed with Bows","type":"explicit"},{"id":"explicit.stat_462424929","text":"Notable Passive Skills in Radius also grant #% increased Magnitude of Poison you inflict","type":"explicit"},{"id":"explicit.stat_412462523","text":"#% more Attack Damage","type":"explicit"},{"id":"explicit.stat_1207554355","text":"#% increased Arrow Speed","type":"explicit"},{"id":"explicit.stat_3605834869","text":"Skills gain a Base Life Cost equal to #% of Base Mana Cost","type":"explicit"},{"id":"explicit.stat_849085925","text":"Enemies Frozen by you take #% increased Damage","type":"explicit"},{"id":"explicit.stat_4294267596","text":"Take no Extra Damage from Critical Hits","type":"explicit"},{"id":"explicit.stat_2726713579","text":"Notable Passive Skills in Radius also grant Recover #% of maximum Life on Kill","type":"explicit"},{"id":"explicit.stat_1039268420","text":"Small Passive Skills in Radius also grant #% increased chance to Shock","type":"explicit"},{"id":"explicit.stat_599749213","text":"# to Level of all Fire Skills","type":"explicit"},{"id":"explicit.stat_1147690586","text":"# to Level of all Lightning Skills","type":"explicit"},{"id":"explicit.stat_1161337167","text":"Can be modified while Corrupted","type":"explicit"},{"id":"explicit.stat_1458880585","text":"Cannot Regenerate Mana if you haven't dealt a Critical Hit Recently","type":"explicit"},{"id":"explicit.stat_1659564104","text":"#% increased Mana Regeneration Rate if you've dealt a Critical Hit Recently","type":"explicit"},{"id":"explicit.stat_3669820740","text":"Notable Passive Skills in Radius also grant #% of Damage taken Recouped as Life","type":"explicit"},{"id":"explicit.stat_2272980012","text":"Notable Passive Skills in Radius also grant #% increased Duration of Damaging Ailments on Enemies","type":"explicit"},{"id":"explicit.stat_2801937280","text":"Blood Magic","type":"explicit"},{"id":"explicit.stat_21824003","text":"#% increased Rarity of Items Dropped by Enemies killed with a Critical Hit","type":"explicit"},{"id":"explicit.stat_170426423","text":"Non-Channelling Spells have #% increased Critical Hit Chance per 100 maximum Life","type":"explicit"},{"id":"explicit.stat_1736538865","text":"You have Consecrated Ground around you while stationary","type":"explicit"},{"id":"explicit.stat_3106718406","text":"Notable Passive Skills in Radius also grant Minions have #% increased Attack and Cast Speed","type":"explicit"},{"id":"explicit.stat_752930724","text":"Equipment and Skill Gems have #% increased Attribute Requirements","type":"explicit"},{"id":"explicit.stat_3513818125","text":"Small Passive Skills in Radius also grant #% increased Shock Duration","type":"explicit"},{"id":"explicit.stat_3225608889","text":"Small Passive Skills in Radius also grant Minions have #% to all Elemental Resistances","type":"explicit"},{"id":"explicit.stat_1027889455","text":"Non-Channelling Spells deal #% increased Damage per 100 maximum Life","type":"explicit"},{"id":"explicit.stat_821948283","text":"Small Passive Skills in Radius also grant #% increased Damage with Quarterstaves","type":"explicit"},{"id":"explicit.stat_2131720304","text":"Notable Passive Skills in Radius also grant Gain # Rage when Hit by an Enemy","type":"explicit"},{"id":"explicit.stat_1520059289","text":"Onslaught","type":"explicit"},{"id":"explicit.stat_2463230181","text":"#% Surpassing chance to fire an additional Arrow","type":"explicit"},{"id":"explicit.stat_1576794517","text":"Enemies in your Presence killed by anyone count as being killed by you instead","type":"explicit"},{"id":"explicit.stat_715957346","text":"Notable Passive Skills in Radius also grant #% increased Attack Speed with Crossbows","type":"explicit"},{"id":"explicit.stat_1602294220","text":"Small Passive Skills in Radius also grant #% increased Warcry Speed","type":"explicit"},{"id":"explicit.stat_2056107438","text":"Notable Passive Skills in Radius also grant #% increased Warcry Cooldown Recovery Rate","type":"explicit"},{"id":"explicit.stat_1653682082","text":"Small Passive Skills in Radius also grant Gain additional Stun Threshold equal to #% of maximum Energy Shield","type":"explicit"},{"id":"explicit.stat_295075366","text":"#% increased Strength Requirement","type":"explicit"},{"id":"explicit.stat_793801176","text":"Energy Generation is doubled","type":"explicit"},{"id":"explicit.stat_1145481685","text":"Small Passive Skills in Radius also grant #% increased Totem Placement speed","type":"explicit"},{"id":"explicit.stat_2402413437","text":"Energy Shield Recharge starts when you use a Mana Flask","type":"explicit"},{"id":"explicit.stat_2466785537","text":"Notable Passive Skills in Radius also grant #% increased Critical Spell Damage Bonus","type":"explicit"},{"id":"explicit.stat_4164870816","text":"#% increased Critical Damage Bonus per Power Charge","type":"explicit"},{"id":"explicit.stat_3700202631","text":"Small Passive Skills in Radius also grant #% increased amount of Mana Leeched","type":"explicit"},{"id":"explicit.stat_3441651621","text":"# Physical Damage taken from Attack Hits","type":"explicit"},{"id":"explicit.stat_3409275777","text":"Small Passive Skills in Radius also grant #% increased Elemental Ailment Threshold","type":"explicit"},{"id":"explicit.stat_2392824305","text":"Notable Passive Skills in Radius also grant #% increased Stun Buildup with Maces","type":"explicit"},{"id":"explicit.stat_2840989393","text":"Small Passive Skills in Radius also grant #% chance to Poison on Hit","type":"explicit"},{"id":"explicit.stat_1070816711","text":"Area contains an additional Abyss","type":"explicit"},{"id":"explicit.stat_1070816711","text":"Your Maps contain an additional Abyss","type":"explicit"},{"id":"explicit.stat_4195198267","text":"Blocking Damage Poisons the Enemy as though dealing # Base Chaos Damage","type":"explicit"},{"id":"explicit.stat_2161347476","text":"Accuracy Rating is Doubled","type":"explicit"},{"id":"explicit.stat_1540254896","text":"Flammability Magnitude is doubled","type":"explicit"},{"id":"explicit.stat_30438393","text":"Small Passive Skills in Radius also grant Minions have #% additional Physical Damage Reduction","type":"explicit"},{"id":"explicit.stat_2976476845","text":"Notable Passive Skills in Radius also grant #% increased Knockback Distance","type":"explicit"},{"id":"explicit.stat_2524254339","text":"Culling Strike","type":"explicit"},{"id":"explicit.stat_2969557004","text":"Notable Passive Skills in Radius also grant Gain # Rage on Melee Hit","type":"explicit"},{"id":"explicit.stat_3647242059","text":"Left ring slot: Projectiles from Spells cannot Chain","type":"explicit"},{"id":"explicit.stat_2933024469","text":"Right ring slot: Projectiles from Spells cannot Fork","type":"explicit"},{"id":"explicit.stat_3826125995","text":"Projectiles from Spells cannot Pierce","type":"explicit"},{"id":"explicit.stat_1345835998","text":"Deferring Favours at Ritual Altars in Area costs #% increased Tribute","type":"explicit"},{"id":"explicit.stat_1345835998","text":"Deferring Favours at Ritual Altars in your Maps costs #% increased Tribute","type":"explicit"},{"id":"explicit.stat_28208665","text":"Favours Deferred at Ritual Altars in Area reappear #% sooner","type":"explicit"},{"id":"explicit.stat_28208665","text":"Favours Deferred at Ritual Altars in your Maps reappear #% sooner","type":"explicit"},{"id":"explicit.stat_2910761524","text":"#% chance for Spell Skills to fire 2 additional Projectiles","type":"explicit"},{"id":"explicit.stat_2437476305","text":"Left ring slot: Projectiles from Spells Fork","type":"explicit"},{"id":"explicit.stat_111835965","text":"Notable Passive Skills in Radius also grant #% increased Attack Speed with Quarterstaves","type":"explicit"},{"id":"explicit.stat_664024640","text":"You can Socket an additional copy of each Lineage Support Gem, in different Skills","type":"explicit"},{"id":"explicit.stat_1031644647","text":"Revived Monsters from Ritual Altars in Area have #% increased chance to be Magic","type":"explicit"},{"id":"explicit.stat_1031644647","text":"Revived Monsters from Ritual Altars in your Maps have #% increased chance to be Magic","type":"explicit"},{"id":"explicit.stat_1555918911","text":"Right ring slot: Projectiles from Spells Chain +# times","type":"explicit"},{"id":"explicit.stat_3650992555","text":"Debuffs you inflict have #% increased Slow Magnitude","type":"explicit"},{"id":"explicit.stat_1563503803","text":"#% chance to Avoid Chaos Damage from Hits","type":"explicit"},{"id":"explicit.stat_3491722585","text":"Enemies in your Presence are Intimidated","type":"explicit"},{"id":"explicit.stat_2415497478","text":"#% chance to Avoid Physical Damage from Hits","type":"explicit"},{"id":"explicit.stat_1432756708","text":"Small Passive Skills in Radius also grant Damage Penetrates #% Fire Resistance","type":"explicit"},{"id":"explicit.stat_2108821127","text":"Small Passive Skills in Radius also grant #% increased Totem Damage","type":"explicit"},{"id":"explicit.stat_1852184471","text":"Small Passive Skills in Radius also grant #% increased Damage with Maces","type":"explicit"},{"id":"explicit.stat_3774951878","text":"Small Passive Skills in Radius also grant #% increased Mana Recovery from Flasks","type":"explicit"},{"id":"explicit.stat_2812872407","text":"Life Recovery from Flasks also applies to Energy Shield","type":"explicit"},{"id":"explicit.stat_1508661598","text":"Critical Hits do not deal extra Damage","type":"explicit"},{"id":"explicit.stat_3384885789","text":"This Weapon's Critical Hit Chance is #%","type":"explicit"},{"id":"explicit.stat_4219853180","text":"Ritual Favours in Area have #% increased chance to be Omens","type":"explicit"},{"id":"explicit.stat_4219853180","text":"Ritual Favours in your Maps have #% increased chance to be Omens","type":"explicit"},{"id":"explicit.stat_3979184174","text":"Revived Monsters from Ritual Altars in Area have #% increased chance to be Rare","type":"explicit"},{"id":"explicit.stat_3979184174","text":"Revived Monsters from Ritual Altars in your Maps have #% increased chance to be Rare","type":"explicit"},{"id":"explicit.stat_713216632","text":"Notable Passive Skills in Radius also grant #% increased Defences from Equipped Shield","type":"explicit"},{"id":"explicit.stat_1773308808","text":"Small Passive Skills in Radius also grant #% increased Flask Effect Duration","type":"explicit"},{"id":"explicit.stat_3971919056","text":"Life Recharges","type":"explicit"},{"id":"explicit.stat_3088348485","text":"Small Passive Skills in Radius also grant #% increased Charm Effect Duration","type":"explicit"},{"id":"explicit.stat_480796730","text":"#% to maximum Block chance","type":"explicit"},{"id":"explicit.stat_473917671","text":"Small Passive Skills in Radius also grant Triggered Spells deal #% increased Spell Damage","type":"explicit"},{"id":"explicit.stat_2566921799","text":"Grants a Power Charge on use","type":"explicit"},{"id":"explicit.stat_2323782229","text":"Slaying Rare Monsters in Area pauses the Delirium Mirror Timer for 1 second","type":"explicit"},{"id":"explicit.stat_2323782229","text":"Slaying Rare Monsters in your Maps pauses the Delirium Mirror Timer for 1 second","type":"explicit"},{"id":"explicit.stat_442393998","text":"Small Passive Skills in Radius also grant #% increased Totem Life","type":"explicit"},{"id":"explicit.stat_4019237939","text":"Gain #% of Damage as Extra Physical Damage","type":"explicit"},{"id":"explicit.stat_391602279","text":"Notable Passive Skills in Radius also grant #% increased Magnitude of Bleeding you inflict","type":"explicit"},{"id":"explicit.stat_782941180","text":"#% of Spell Damage Leeched as Life","type":"explicit"},{"id":"explicit.stat_3113764475","text":"Notable Passive Skills in Radius also grant #% increased Skill Effect Duration","type":"explicit"},{"id":"explicit.stat_944643028","text":"Small Passive Skills in Radius also grant #% chance to inflict Bleeding on Hit","type":"explicit"},{"id":"explicit.stat_3891350097","text":"Recover Mana equal to #% of Life Flask's Recovery Amount when used","type":"explicit"},{"id":"explicit.stat_2518598473","text":"Take # Fire Damage when you Ignite an Enemy","type":"explicit"},{"id":"explicit.stat_2716923832","text":"Recover Life equal to #% of Mana Flask's Recovery Amount when used","type":"explicit"},{"id":"explicit.stat_2378065031","text":"Curse Skills have #% increased Cast Speed","type":"explicit"},{"id":"explicit.stat_1875158664","text":"Giant's Blood","type":"explicit"},{"id":"explicit.stat_720388959","text":"Life Recovery from Flasks is instant","type":"explicit"},{"id":"explicit.stat_2714890129","text":"Life Leech can Overflow Maximum Life","type":"explicit"},{"id":"explicit.stat_4078695","text":"# to Maximum Frenzy Charges","type":"explicit"},{"id":"explicit.stat_4258251165","text":"Allies in your Presence Gain #% of Damage as Extra Chaos Damage","type":"explicit"},{"id":"explicit.stat_1224838456","text":"Enemies in your Presence Gain #% of Damage as Extra Chaos Damage","type":"explicit"},{"id":"explicit.stat_53386210","text":"#% increased Spirit Reservation Efficiency of Skills","type":"explicit"},{"id":"explicit.stat_1073942215","text":"#% increased Freeze Duration on Enemies","type":"explicit"},{"id":"explicit.stat_1910743684","text":"All damage with this Weapon causes Electrocution buildup","type":"explicit"},{"id":"explicit.stat_1465760952","text":"Cannot Block","type":"explicit"},{"id":"explicit.stat_3679696791","text":"Modifiers to Maximum Block Chance instead apply to Maximum Resistances","type":"explicit"},{"id":"explicit.stat_3563080185","text":"#% increased Culling Strike Threshold","type":"explicit"},{"id":"explicit.stat_280890192","text":"Grants a Frenzy Charge on use","type":"explicit"},{"id":"explicit.stat_3419203492","text":"Notable Passive Skills in Radius also grant #% increased Energy Shield from Equipped Focus","type":"explicit"},{"id":"explicit.stat_1301765461","text":"#% to Maximum Chaos Resistance","type":"explicit"},{"id":"explicit.stat_1272938854","text":"Evasion Rating is doubled if you have not been Hit Recently","type":"explicit"},{"id":"explicit.stat_3464644319","text":"No Inherent loss of Rage during effect","type":"explicit"},{"id":"explicit.stat_3598623697","text":"#% of Damage taken during effect Recouped as Life","type":"explicit"},{"id":"explicit.stat_1726753705","text":"#% more Life Recovered","type":"explicit"},{"id":"explicit.stat_555311715","text":"Gain # Rage when Hit by an Enemy during effect","type":"explicit"},{"id":"explicit.stat_3175163625","text":"#% increased Quantity of Gold Dropped by Slain Enemies","type":"explicit"},{"id":"explicit.stat_3399499561","text":"#% increased Damage per Minion","type":"explicit"},{"id":"explicit.stat_4092130601","text":"Notable Passive Skills in Radius also grant #% increased Magnitude of Damaging Ailments you inflict with Critical Hits","type":"explicit"},{"id":"explicit.stat_2932359713","text":"Effect is not removed when Unreserved Life is Filled","type":"explicit"},{"id":"explicit.stat_3859848445","text":"Notable Passive Skills in Radius also grant #% increased Area of Effect of Curses","type":"explicit"},{"id":"explicit.stat_1321104829","text":"Notable Passive Skills in Radius also grant #% increased Magnitude of Ailments you inflict","type":"explicit"},{"id":"explicit.stat_2955966707","text":"The Effect of Chill on you is reversed","type":"explicit"},{"id":"explicit.stat_1770833858","text":"Delirium Encounters in Area have #% chance to generate an additional Reward","type":"explicit"},{"id":"explicit.stat_1770833858","text":"Delirium Encounters in your Maps have #% chance to generate an additional Reward","type":"explicit"},{"id":"explicit.stat_1541516339","text":"#% increased Movement Speed per Frenzy Charge","type":"explicit"},{"id":"explicit.stat_1166140625","text":"Notable Passive Skills in Radius also grant #% increased Magnitude of Shock you inflict","type":"explicit"},{"id":"explicit.stat_1776968075","text":"You have no Elemental Resistances","type":"explicit"},{"id":"explicit.stat_1555237944","text":"#% chance when you gain a Charge to gain an additional Charge","type":"explicit"},{"id":"explicit.stat_525523040","text":"Notable Passive Skills in Radius also grant Recover #% of maximum Mana on Kill","type":"explicit"},{"id":"explicit.stat_3814876985","text":"#% chance to gain a Power Charge on Critical Hit","type":"explicit"},{"id":"explicit.stat_1777421941","text":"Notable Passive Skills in Radius also grant #% increased Projectile Speed","type":"explicit"},{"id":"explicit.stat_514290151","text":"Gain #% of Maximum Mana as Armour","type":"explicit"},{"id":"explicit.stat_2849546516","text":"Notable Passive Skills in Radius also grant Meta Skills gain #% increased Energy","type":"explicit"},{"id":"explicit.stat_2890401248","text":"Enemies in your Presence are Hindered","type":"explicit"},{"id":"explicit.stat_1273508088","text":"Gain 1 Druidic Prowess for every 20 total Rage spent","type":"explicit"},{"id":"explicit.stat_1123023256","text":"#% to Chaos Resistance per Socket filled","type":"explicit"},{"id":"explicit.stat_2694800111","text":"#% increased number of Rare Expedition Monsters in Area","type":"explicit"},{"id":"explicit.stat_2694800111","text":"#% increased number of Rare Expedition Monsters in your Maps","type":"explicit"},{"id":"explicit.stat_1640965354","text":"Area contains #% increased number of Runic Monster Markers","type":"explicit"},{"id":"explicit.stat_1640965354","text":"Your Maps contain #% increased number of Runic Monster Markers","type":"explicit"},{"id":"explicit.stat_2134207902","text":"+100% of Armour also applies to Lightning Damage","type":"explicit"},{"id":"explicit.stat_1546580830","text":"Enemies in your Presence have Lightning Resistance equal to yours","type":"explicit"},{"id":"explicit.stat_310945763","text":"#% increased Life Cost Efficiency","type":"explicit"},{"id":"explicit.stat_3999959974","text":"Lightning Resistance does not affect Lightning damage taken","type":"explicit"},{"id":"explicit.stat_3407300125","text":"Increases and Reductions to Mana Regeneration Rate also\napply to Energy Shield Recharge Rate","type":"explicit"},{"id":"explicit.stat_147764878","text":"Small Passive Skills in Radius also grant #% increased Damage with Hits against Rare and Unique Enemies","type":"explicit"},{"id":"explicit.stat_3538915253","text":"On Hitting an enemy, gains maximum added Lightning damage equal to\nthe enemy's Power for 20 seconds, up to a total of #","type":"explicit"},{"id":"explicit.stat_1298316550","text":"Dodge Roll passes through Enemies","type":"explicit"},{"id":"explicit.stat_2786852525","text":"Enemies in your Presence Resist Elemental Damage based on their Lowest Resistance","type":"explicit"},{"id":"explicit.stat_3081479811","text":"Allies in your Presence Regenerate #% of their Maximum Life per second","type":"explicit"},{"id":"explicit.stat_2173791158","text":"Allies in your Presence Gain #% of Damage as Extra Fire Damage","type":"explicit"},{"id":"explicit.stat_2045949233","text":"#% chance for Slam Skills you use yourself to cause an additional Aftershock","type":"explicit"},{"id":"explicit.stat_3176481473","text":"#% increased Spell Damage while on Full Energy Shield","type":"explicit"},{"id":"explicit.stat_3065378291","text":"Small Passive Skills in Radius also grant Herald Skills deal #% increased Damage","type":"explicit"},{"id":"explicit.stat_1352561456","text":"Notable Passive Skills in Radius also grant #% increased Critical Damage Bonus for Attack Damage","type":"explicit"},{"id":"explicit.stat_820939409","text":"Gain # Mana per Enemy Hit with Attacks","type":"explicit"},{"id":"explicit.stat_2920970371","text":"#% increased Duration of Curses on you","type":"explicit"},{"id":"explicit.stat_64726306","text":"Can't use other Rings","type":"explicit"},{"id":"explicit.stat_2833226514","text":"# Strength Requirement","type":"explicit"},{"id":"explicit.stat_3865605585","text":"Notable Passive Skills in Radius also grant #% increased Critical Hit Chance for Attacks","type":"explicit"},{"id":"explicit.stat_1810907437","text":"Presence Radius is doubled","type":"explicit"},{"id":"explicit.stat_4112450013","text":"Moving while Bleeding doesn't cause you to take extra damage","type":"explicit"},{"id":"explicit.stat_3070990531","text":"You have no Accuracy Penalty at Distance","type":"explicit"},{"id":"explicit.stat_2772033465","text":"#% of Fire damage Converted to Lightning damage","type":"explicit"},{"id":"explicit.stat_2371108370","text":"If Map was not previously Irradiated, completing Map adds Irradiation instead","type":"explicit"},{"id":"explicit.stat_150391334","text":"# to maximum Life per Socket filled","type":"explicit"},{"id":"explicit.stat_593241812","text":"Notable Passive Skills in Radius also grant Minions have #% increased Critical Damage Bonus","type":"explicit"},{"id":"explicit.stat_2107703111","text":"Small Passive Skills in Radius also grant Offerings have #% increased Maximum Life","type":"explicit"},{"id":"explicit.stat_3474271079","text":"# to all Attributes per Socket filled","type":"explicit"},{"id":"explicit.stat_1013492127","text":"Spells fire # additional Projectiles\nSpells fire Projectiles in a circle","type":"explicit"},{"id":"explicit.stat_30642521","text":"You can apply # additional Curses","type":"explicit"},{"id":"explicit.stat_1129429646","text":"Small Passive Skills in Radius also grant #% increased Weapon Swap Speed","type":"explicit"},{"id":"explicit.stat_932866937","text":"Life and Mana Flasks can be equipped in either slot","type":"explicit"},{"id":"explicit.stat_2348696937","text":"Spells have a #% chance to inflict Withered for 4 seconds on Hit","type":"explicit"},{"id":"explicit.stat_1143240184","text":"You count as on Low Mana while at #% of maximum Life or below","type":"explicit"},{"id":"explicit.stat_331731406","text":"Cannot be Ignited","type":"explicit"},{"id":"explicit.stat_3154256486","text":"You count as on Low Life while at #% of maximum Mana or below","type":"explicit"},{"id":"explicit.stat_3628935286","text":"Notable Passive Skills in Radius also grant Minions have #% increased Critical Hit Chance","type":"explicit"},{"id":"explicit.stat_1083387327","text":"#% increased Quantity of Expedition Logbooks dropped by Runic Monsters","type":"explicit"},{"id":"explicit.stat_1083387327","text":"#% increased Quantity of Expedition Logbooks dropped by Runic Monsters in your Maps","type":"explicit"},{"id":"explicit.stat_258955603","text":"Alternating every 5 seconds:\nTake #% more Damage from Hits\nTake #% more Damage over time","type":"explicit"},{"id":"explicit.stat_491899612","text":"Cannot be Shocked","type":"explicit"},{"id":"explicit.stat_3122852693","text":"#% to Block Chance while holding a Focus","type":"explicit"},{"id":"explicit.stat_1285594161","text":"Small Passive Skills in Radius also grant #% increased Accuracy Rating with Bows","type":"explicit"},{"id":"explicit.stat_3835551335","text":"Cannot be Poisoned","type":"explicit"},{"id":"explicit.stat_1509210032","text":"Grants up to your maximum Rage on use","type":"explicit"},{"id":"explicit.stat_4032352472","text":"Notable Passive Skills in Radius also grant #% increased Presence Area of Effect","type":"explicit"},{"id":"explicit.stat_2942704390","text":"Skills have +# to Limit","type":"explicit"},{"id":"explicit.stat_412709880","text":"Notable Passive Skills in Radius also grant #% increased chance to inflict Ailments","type":"explicit"},{"id":"explicit.stat_1373860425","text":"#% increased Spell Damage with Spells that cost Life","type":"explicit"},{"id":"explicit.stat_599320227","text":"#% chance for Trigger skills to refund half of Energy Spent","type":"explicit"},{"id":"explicit.stat_3550168289","text":"Area is inhabited by # additional Rogue Exile","type":"explicit"},{"id":"explicit.stat_3550168289","text":"Your Maps are inhabited by # additional Rogue Exile","type":"explicit"},{"id":"explicit.stat_1087108135","text":"Small Passive Skills in Radius also grant #% increased Curse Duration","type":"explicit"},{"id":"explicit.stat_1036267537","text":"# to maximum Mana per Socket filled","type":"explicit"},{"id":"explicit.stat_2138799639","text":"Arrows Pierce all targets after Forking","type":"explicit"},{"id":"explicit.stat_2420248029","text":"All Damage taken from Hits while Bleeding Contributes to Magnitude of Chill on you","type":"explicit"},{"id":"explicit.stat_1717295693","text":"All Damage from Hits against Bleeding targets Contributes to Chill Magnitude","type":"explicit"},{"id":"explicit.stat_2421436896","text":"Arrows Fork","type":"explicit"},{"id":"explicit.stat_3752589831","text":"Small Passive Skills in Radius also grant #% increased Damage while you have an active Charm","type":"explicit"},{"id":"explicit.stat_3156445245","text":"#% less Movement and Skill Speed per Dodge Roll in the past 20 seconds","type":"explicit"},{"id":"explicit.stat_3518087336","text":"Dodge Roll avoids all Hits","type":"explicit"},{"id":"explicit.stat_1135194732","text":"Can have # additional Instilled Modifiers","type":"explicit"},{"id":"explicit.stat_830345042","text":"Small Passive Skills in Radius also grant #% increased Freeze Threshold","type":"explicit"},{"id":"explicit.stat_1291285202","text":"All Damage taken from Hits while Poisoned Contributes to Magnitude of Chill on you","type":"explicit"},{"id":"explicit.stat_1375667591","text":"All Damage from Hits against Poisoned targets Contributes to Chill Magnitude","type":"explicit"},{"id":"explicit.stat_61644361","text":"Notable Passive Skills in Radius also grant #% increased Chill Duration on Enemies","type":"explicit"},{"id":"explicit.stat_701923421","text":"Hits against you have #% reduced Critical Damage Bonus per Socket filled","type":"explicit"},{"id":"explicit.stat_332337290","text":"# Life Regeneration per second per Socket filled","type":"explicit"},{"id":"explicit.stat_4046380260","text":"Minions cannot Die while affected by a Life Flask","type":"explicit"},{"id":"explicit.stat_2397460217","text":"Your Life Flask also applies to your Minions","type":"explicit"},{"id":"explicit.stat_1195319608","text":"#% increased Energy Shield from Equipped Body Armour","type":"explicit"},{"id":"explicit.stat_3579898587","text":"Notable Passive Skills in Radius also grant #% increased Skill Speed while Shapeshifted","type":"explicit"},{"id":"explicit.stat_3849649145","text":"Creates Consecrated Ground on use","type":"explicit"},{"id":"explicit.stat_39209842","text":"Creates Ignited Ground for 4 seconds when used, Igniting enemies as though dealing Fire damage equal to #% of your maximum Life","type":"explicit"},{"id":"explicit.stat_4245256219","text":"Skill Gems have no Attribute Requirements","type":"explicit"},{"id":"explicit.stat_2267564181","text":"Require # additional enemies to be Surrounded","type":"explicit"},{"id":"explicit.stat_1967040409","text":"Spell Skills have #% increased Area of Effect","type":"explicit"},{"id":"explicit.stat_3856744003","text":"Notable Passive Skills in Radius also grant #% increased Crossbow Reload Speed","type":"explicit"},{"id":"explicit.stat_2480151124","text":"Equipment has no Attribute Requirements","type":"explicit"},{"id":"explicit.stat_4162678661","text":"Small Passive Skills in Radius also grant Mark Skills have #% increased Skill Effect Duration","type":"explicit"},{"id":"explicit.stat_3679769182","text":"# to Stun Threshold per Socket filled","type":"explicit"},{"id":"explicit.stat_2256120736","text":"Notable Passive Skills in Radius also grant Debuffs on you expire #% faster","type":"explicit"},{"id":"explicit.stat_2202308025","text":"Small Passive Skills in Radius also grant Mark Skills have #% increased Use Speed","type":"explicit"},{"id":"explicit.stat_221701169","text":"Notable Passive Skills in Radius also grant #% increased Poison Duration","type":"explicit"},{"id":"explicit.stat_1323216174","text":"Notable Passive Skills in Radius also grant #% increased Duration of Ignite, Shock and Chill on Enemies","type":"explicit"},{"id":"explicit.stat_2610562860","text":"Small Passive Skills in Radius also grant #% chance to Blind Enemies on Hit with Attacks","type":"explicit"},{"id":"explicit.stat_1087531620","text":"Notable Passive Skills in Radius also grant #% increased Freeze Buildup","type":"explicit"},{"id":"explicit.stat_127081978","text":"Notable Passive Skills in Radius also grant #% increased Freeze Buildup with Quarterstaves","type":"explicit"},{"id":"explicit.stat_65135897","text":"Cannot use Shield Skills","type":"explicit"},{"id":"explicit.stat_666077204","text":"Companions have #% increased Attack Speed","type":"explicit"},{"id":"explicit.stat_4258000627","text":"Small Passive Skills in Radius also grant Dazes on Hit","type":"explicit"},{"id":"explicit.stat_2901213448","text":"# to Level of all Elemental Skills","type":"explicit"},{"id":"explicit.stat_1160637284","text":"Small Passive Skills in Radius also grant #% increased Damage with Warcries","type":"explicit"},{"id":"explicit.stat_4117005593","text":"Skills gain #% of Damage as Chaos Damage per 3 Life Cost","type":"explicit"},{"id":"explicit.stat_4234573345","text":"#% increased Effect of Notable Passive Skills in Radius","type":"explicit"},{"id":"explicit.stat_1961849903","text":"Cannot use Projectile Attacks","type":"explicit"},{"id":"explicit.stat_3739186583","text":"Knocks Back Enemies on Hit","type":"explicit"},{"id":"explicit.stat_300723956","text":"Attack Hits apply Incision","type":"explicit"},{"id":"explicit.stat_3675300253","text":"Strikes deal Splash Damage","type":"explicit"},{"id":"explicit.stat_3395186672","text":"Small Passive Skills in Radius also grant Empowered Attacks deal #% increased Damage","type":"explicit"},{"id":"explicit.stat_1834658952","text":"Small Passive Skills in Radius also grant #% increased Damage against Enemies with Fully Broken Armour","type":"explicit"},{"id":"explicit.stat_1944020877","text":"Notable Passive Skills in Radius also grant #% increased Pin Buildup","type":"explicit"},{"id":"explicit.stat_2147773348","text":"Energy Shield is increased by Uncapped Cold Resistance","type":"explicit"},{"id":"explicit.stat_419098854","text":"Evasion Rating is increased by Uncapped Lightning Resistance","type":"explicit"},{"id":"explicit.stat_713266390","text":"Armour is increased by Uncapped Fire Resistance","type":"explicit"},{"id":"explicit.stat_2516303866","text":"Your Critical Damage Bonus is 250%","type":"explicit"},{"id":"explicit.stat_4089835882","text":"Small Passive Skills in Radius also grant Break #% increased Armour","type":"explicit"},{"id":"explicit.stat_1000566389","text":"Elemental Ailment Threshold is increased by Uncapped Chaos Resistance","type":"explicit"},{"id":"explicit.stat_654207792","text":"Small Passive Skills in Radius also grant #% increased Stun Threshold if you haven't been Stunned Recently","type":"explicit"},{"id":"explicit.stat_3091132047","text":"Your base Energy Shield Recharge Delay is # second","type":"explicit"},{"id":"explicit.stat_2066964205","text":"Notable Passive Skills in Radius also grant #% increased Flask Charges gained","type":"explicit"},{"id":"explicit.stat_2320654813","text":"Notable Passive Skills in Radius also grant #% increased Charm Charges gained","type":"explicit"},{"id":"explicit.stat_1519615863","text":"#% chance to cause Bleeding on Hit","type":"explicit"},{"id":"explicit.stat_1911237468","text":"#% increased Stun Threshold while Parrying","type":"explicit"},{"id":"explicit.stat_3040603554","text":"Areas with Powerful Map Bosses contain an additional Strongbox","type":"explicit"},{"id":"explicit.stat_1361645249","text":"Allies in your Presence have Block Chance equal to yours","type":"explicit"},{"id":"explicit.stat_793875384","text":"Small Passive Skills in Radius also grant #% increased Minion Accuracy Rating","type":"explicit"},{"id":"explicit.stat_3787436548","text":"Historic","type":"explicit"},{"id":"explicit.stat_2423248184","text":"#% less minimum Physical Attack Damage","type":"explicit"},{"id":"explicit.stat_3735888493","text":"#% more maximum Physical Attack Damage","type":"explicit"},{"id":"explicit.stat_3042527515","text":"Areas with Map Powerful Map Bosses contain an additional Shrine","type":"explicit"},{"id":"explicit.stat_3042527515","text":"Areas with Powerful Map Bosses contain an additional Shrine","type":"explicit"},{"id":"explicit.stat_4126210832","text":"Always Hits","type":"explicit"},{"id":"explicit.stat_937291386","text":"Favours Rerolled at Ritual Altars in Area have #% chance to cost no Tribute","type":"explicit"},{"id":"explicit.stat_937291386","text":"Favours Rerolled at Ritual Altars in your Maps have #% chance to cost no Tribute","type":"explicit"},{"id":"explicit.stat_3311259821","text":"Deals #% of current Mana as Chaos Damage to you when Effect ends","type":"explicit"},{"id":"explicit.stat_3969608626","text":"Effect is not removed when Unreserved Mana is Filled","type":"explicit"},{"id":"explicit.stat_1133453872","text":"# Dexterity Requirement","type":"explicit"},{"id":"explicit.stat_1910039112","text":"Every 3 seconds during Effect, deal #% of Mana spent in those seconds as Chaos Damage to Enemies within 3 metres","type":"explicit"},{"id":"explicit.stat_4043376133","text":"#% increased Magnitude of Abyssal Wasting you inflict","type":"explicit"},{"id":"explicit.stat_548198834","text":"#% increased Melee Strike Range with this weapon","type":"explicit"},{"id":"explicit.stat_4021234281","text":"Any number of Poisons from this Weapon can affect a target at the same time","type":"explicit"},{"id":"explicit.stat_1320662475","text":"Small Passive Skills in Radius also grant #% increased Thorns damage","type":"explicit"},{"id":"explicit.stat_33298888","text":"Attack Hits inflict Spectral Fire for # seconds","type":"explicit"},{"id":"explicit.stat_321765853","text":"# Physical Damage taken from Hits","type":"explicit"},{"id":"explicit.stat_1505023559","text":"Notable Passive Skills in Radius also grant #% increased Bleeding Duration","type":"explicit"},{"id":"explicit.stat_3240073117","text":"#% increased Life Recovery rate","type":"explicit"},{"id":"explicit.stat_3885634897","text":"#% chance to Poison on Hit with this weapon","type":"explicit"},{"id":"explicit.stat_331648983","text":"When you reload, triggers Gemini Surge to alternately\ngain # Cold Surge or # Fire Surge","type":"explicit"},{"id":"explicit.stat_3058238353","text":"Critical Hits inflict Impale","type":"explicit"},{"id":"explicit.stat_2918129907","text":"Inflicts a random Curse on you when your Totems die, ignoring Curse limit","type":"explicit"},{"id":"explicit.stat_3414998042","text":"Critical Hits cannot Extract Impale","type":"explicit"},{"id":"explicit.stat_1840985759","text":"#% increased Area of Effect for Attacks","type":"explicit"},{"id":"explicit.stat_429867172","text":"# to maximum number of Summoned Totems","type":"explicit"},{"id":"explicit.stat_3642528642|7","text":"Only affects Passives in Very Large Ring","type":"explicit"},{"id":"explicit.stat_724806967","text":"Enemies in your Presence have Exposure","type":"explicit"},{"id":"explicit.stat_4287372938","text":"Bear Skills Convert #% of Physical Damage to Fire Damage","type":"explicit"},{"id":"explicit.stat_2480962043","text":"Skills which require Glory generate # Glory every 2 seconds","type":"explicit"},{"id":"explicit.stat_1613322341","text":"Enemies Immobilised by you take #% less Damage","type":"explicit"},{"id":"explicit.stat_4238331303","text":"Immobilise enemies at #% buildup instead of 100%","type":"explicit"},{"id":"explicit.stat_4062529591","text":"Cannot Immobilise enemies","type":"explicit"},{"id":"explicit.stat_2162684861","text":"Areas with Powerful Map Bosses contain an additional Essence","type":"explicit"},{"id":"explicit.stat_2704225257","text":"# to Spirit","type":"explicit"},{"id":"explicit.stat_3503117295","text":"Recover #% of your maximum Life when an Enemy dies in your Presence","type":"explicit"},{"id":"explicit.stat_3642528642|3","text":"Only affects Passives in Medium-Small Ring","type":"explicit"},{"id":"explicit.stat_2957287092","text":"Chance to Block Damage is Lucky","type":"explicit"},{"id":"explicit.stat_3642528642|4","text":"Only affects Passives in Medium Ring","type":"explicit"},{"id":"explicit.stat_281201999","text":"Knockback direction is reversed","type":"explicit"},{"id":"explicit.stat_332217711","text":"#% increased Maximum Life per socketed Grand Spectrum","type":"explicit"},{"id":"explicit.stat_2593644209","text":"#% to all Elemental Resistances per Power Charge","type":"explicit"},{"id":"explicit.stat_2760643568","text":"#% increased chance to inflict Ailments against Enemies affected by Abyssal Wasting","type":"explicit"},{"id":"explicit.stat_3811649872","text":"Increases and Reductions to Spell damage also apply to Attacks","type":"explicit"},{"id":"explicit.stat_266564538","text":"Small Passive Skills in Radius also grant #% increased Damage while Shapeshifted","type":"explicit"},{"id":"explicit.stat_3314050176","text":"Life Leech is Converted to Energy Shield Leech","type":"explicit"},{"id":"explicit.stat_3642528642|1","text":"Only affects Passives in Very Small Ring","type":"explicit"},{"id":"explicit.stat_2980117882","text":"This Flask cannot be Used but applies its Effect constantly","type":"explicit"},{"id":"explicit.stat_3642528642|2","text":"Only affects Passives in Small Ring","type":"explicit"},{"id":"explicit.stat_3843734793","text":"Non-Channelling Spells deal #% increased Damage per 100 maximum Mana","type":"explicit"},{"id":"explicit.stat_535217483","text":"#% increased Projectile Speed with this Weapon","type":"explicit"},{"id":"explicit.stat_4142786792","text":"All Damage from Hits with this Weapon Contributes to Pin Buildup","type":"explicit"},{"id":"explicit.stat_818877178","text":"#% increased Parried Debuff Magnitude","type":"explicit"},{"id":"explicit.stat_3429986699","text":"You and Allies in your Presence have #% increased Accuracy Rating","type":"explicit"},{"id":"explicit.stat_1056492907","text":"Energy Shield Recharge starts on use","type":"explicit"},{"id":"explicit.stat_2104138899","text":"Parrying applies # Stack of Critical Weakness","type":"explicit"},{"id":"explicit.stat_1856590738","text":"This item gains bonuses from Socketed Items as though it was Gloves","type":"explicit"},{"id":"explicit.stat_1136768410","text":"#% increased Cast Speed when on Low Life","type":"explicit"},{"id":"explicit.stat_3642528642|6","text":"Only affects Passives in Large Ring","type":"explicit"},{"id":"explicit.stat_1002973905","text":"Recover all Mana when Used","type":"explicit"},{"id":"explicit.stat_2998305364","text":"Deal no Elemental Damage","type":"explicit"},{"id":"explicit.stat_1752419596","text":"Gain Deflection Rating equal to #% of Armour","type":"explicit"},{"id":"explicit.stat_1536107934","text":"You cannot Sprint","type":"explicit"},{"id":"explicit.stat_746505085","text":"Reflects opposite Ring","type":"explicit"},{"id":"explicit.stat_1515531208","text":"# to # Cold Thorns damage","type":"explicit"},{"id":"explicit.stat_2089152298","text":"#% of Parry Physical Damage Converted to Cold Damage","type":"explicit"},{"id":"explicit.stat_3201111383","text":"Modifiers to Stun Buildup apply to Freeze Buildup instead for Parry","type":"explicit"},{"id":"explicit.stat_4245905059","text":"Non-Channelling Spells have #% increased Magnitude of Ailments per 100 maximum Life","type":"explicit"},{"id":"explicit.stat_1367999357","text":"Non-Channelling Spells have #% increased Critical Hit Chance per 100 maximum Mana","type":"explicit"},{"id":"explicit.stat_3078574625","text":"#% increased Effect of Remnants in Area","type":"explicit"},{"id":"explicit.stat_3078574625","text":"#% increased Effect of Remnants in your Maps","type":"explicit"},{"id":"explicit.stat_1590846356","text":"Small Passive Skills in Radius also grant #% increased Damage with Plant Skills","type":"explicit"},{"id":"explicit.stat_3552135623","text":"Prevent #% of Damage from Deflected Hits","type":"explicit"},{"id":"explicit.stat_1535626285","text":"# to Strength and Intelligence","type":"explicit"},{"id":"explicit.stat_2044810874","text":"This item gains bonuses from Socketed Items as though it was a Shield","type":"explicit"},{"id":"explicit.stat_3642528642|5","text":"Only affects Passives in Medium-Large Ring","type":"explicit"},{"id":"explicit.stat_3561837752","text":"#% of Leech is Instant","type":"explicit"},{"id":"explicit.stat_3278008231","text":"Fully Armour Broken enemies you kill with Hits Shatter","type":"explicit"},{"id":"explicit.stat_949573361","text":"Breaks Armour equal to #% of damage from Hits with this weapon","type":"explicit"},{"id":"explicit.stat_2800412928","text":"Grants effect of Guided Tempest Shrine","type":"explicit"},{"id":"explicit.stat_223138829","text":"Inflict Elemental Exposure to Enemies 3 metres in front of you\nfor 4 seconds, every 0.25 seconds while raised","type":"explicit"},{"id":"explicit.stat_3143208761","text":"#% increased Attributes","type":"explicit"},{"id":"explicit.stat_1952324525","text":"All Attacks count as Empowered Attacks","type":"explicit"},{"id":"explicit.stat_250458861","text":"Only Soul Cores can be Socketed in this item","type":"explicit"},{"id":"explicit.stat_2598171606","text":"Cannot use Warcries","type":"explicit"},{"id":"explicit.stat_4159551976","text":"Your Critical Hit Chance cannot be Rerolled","type":"explicit"},{"id":"explicit.stat_3148264775","text":"You have no Spirit","type":"explicit"},{"id":"explicit.stat_2432200638","text":"Damage taken Recouped as Life is also Recouped as Energy Shield","type":"explicit"},{"id":"explicit.stat_3917429943","text":"Grants effect of Guided Meteoric Shrine","type":"explicit"},{"id":"explicit.stat_538848803","text":"# to Strength and Dexterity","type":"explicit"},{"id":"explicit.stat_2252419505","text":"Cannot be Light Stunned by Deflected Hits","type":"explicit"},{"id":"explicit.stat_234657505","text":"Grants effect of Guided Freezing Shrine","type":"explicit"},{"id":"explicit.stat_3488640354","text":"Parried enemies take more Spell Damage instead of more Attack Damage","type":"explicit"},{"id":"explicit.stat_1266413530","text":"Notable Passive Skills in Radius also grant #% increased Attack Speed with Spears","type":"explicit"},{"id":"explicit.stat_3583542124","text":"#% increased Block chance against Projectiles","type":"explicit"},{"id":"explicit.stat_2300185227","text":"# to Dexterity and Intelligence","type":"explicit"},{"id":"explicit.stat_3830953767","text":"#% chance to Curse Enemies with Enfeeble on Block","type":"explicit"},{"id":"explicit.stat_1436284579","text":"Cannot be Blinded","type":"explicit"},{"id":"explicit.stat_1076031760","text":"Infinite Parry Range","type":"explicit"},{"id":"explicit.stat_2442647190","text":"Recover #% of maximum Life when you Block","type":"explicit"},{"id":"explicit.stat_2809428780","text":"Small Passive Skills in Radius also grant #% increased Damage with Spears","type":"explicit"},{"id":"explicit.stat_83011992","text":"Enemies in your Presence have no Elemental Resistances","type":"explicit"},{"id":"explicit.stat_2907381231","text":"Notable Passive Skills in Radius also grant #% increased Glory generation for Banner Skills","type":"explicit"},{"id":"explicit.stat_1494950893","text":"Small Passive Skills in Radius also grant Companions deal #% increased Damage","type":"explicit"},{"id":"explicit.stat_2459662130","text":"Gain Tailwind on Critical Hit, no more than once per second","type":"explicit"},{"id":"explicit.stat_367897259","text":"Lose all Tailwind when Hit","type":"explicit"},{"id":"explicit.stat_2690740379","text":"Small Passive Skills in Radius also grant Banner Skills have #% increased Duration","type":"explicit"},{"id":"explicit.stat_2677352961","text":"#% increased Melee Damage against Heavy Stunned enemies","type":"explicit"},{"id":"explicit.stat_2284588585","text":"Gain a random Charge on reaching Maximum Rage, no more than once every # seconds","type":"explicit"},{"id":"explicit.stat_3642528642|8","text":"Only affects Passives in Massive Ring","type":"explicit"},{"id":"explicit.stat_3851480592","text":"Lose all Rage on reaching Maximum Rage","type":"explicit"},{"id":"explicit.stat_2638756573","text":"Small Passive Skills in Radius also grant Companions have #% increased maximum Life","type":"explicit"},{"id":"explicit.stat_40618390","text":"Notable Passive Skills in Radius also grant #% increased Intelligence","type":"explicit"},{"id":"explicit.stat_3226351972","text":"Delirium Fog in Area lasts # additional seconds before dissipating","type":"explicit"},{"id":"explicit.stat_3226351972","text":"Delirium Fog in your Maps lasts # additional seconds before dissipating","type":"explicit"},{"id":"explicit.stat_2717786748","text":"Notable Passive Skills in Radius also grant #% increased Dexterity","type":"explicit"},{"id":"explicit.stat_2396719220","text":"Area contains an additional Magic Chest","type":"explicit"},{"id":"explicit.stat_3581035970","text":"#% increased Spirit Reservation Efficiency of Buff Skills per 100 Maximum Life","type":"explicit"},{"id":"explicit.stat_3509362078","text":"#% increased Evasion Rating from Equipped Body Armour","type":"explicit"},{"id":"explicit.stat_3703496511","text":"Intimidate Enemies on Block for # second","type":"explicit"},{"id":"explicit.stat_1550131834","text":"Critical Hits with Spells apply # Stack of Critical Weakness","type":"explicit"},{"id":"explicit.stat_1842384813","text":"Notable Passive Skills in Radius also grant #% increased Strength","type":"explicit"},{"id":"explicit.stat_2580617872","text":"Notable Passive Skills in Radius also grant #% increased Slowing Potency of Debuffs on You","type":"explicit"},{"id":"explicit.stat_1078455967","text":"# to Level of all Cold Skills","type":"explicit"},{"id":"explicit.stat_3386297724","text":"Notable Passive Skills in Radius also grant #% of Skill Mana Costs Converted to Life Costs","type":"explicit"},{"id":"explicit.stat_1430165758","text":"#% increased Spirit per socketed Grand Spectrum","type":"explicit"},{"id":"explicit.stat_1163615092","text":"Projectiles have #% increased Critical Hit chance for each time they have Pierced","type":"explicit"},{"id":"explicit.stat_883169830","text":"Projectiles deal #% increased Damage with Hits for each time they have Pierced","type":"explicit"},{"id":"explicit.stat_1404134612","text":"You and Allies in your Presence have #% to Chaos Resistance","type":"explicit"},{"id":"explicit.stat_2035336006","text":"Skills from Corrupted Gems have #% of Mana Costs Converted to Life Costs","type":"explicit"},{"id":"explicit.stat_2720781168","text":"Attack Projectiles Return if they Pierced at least # times","type":"explicit"},{"id":"explicit.stat_504915064","text":"Notable Passive Skills in Radius also grant #% increased Armour Break Duration","type":"explicit"},{"id":"explicit.stat_1679776108","text":"Abyssal Wasting you inflict has Infinite Duration","type":"explicit"},{"id":"explicit.stat_1990472846","text":"Recover #% of Missing Life before being Hit by an Enemy","type":"explicit"},{"id":"explicit.stat_693180608","text":"#% increased Damage while your Companion is in your Presence","type":"explicit"},{"id":"explicit.stat_3625518318","text":"Gain Arcane Surge when a Minion Dies","type":"explicit"},{"id":"explicit.stat_2369495153","text":"#% increased Cost Efficiency of Skills if you've consumed a Power Charge Recently","type":"explicit"},{"id":"explicit.stat_3709513762","text":"# to Level of Elemental Weakness Skills","type":"explicit"},{"id":"explicit.stat_3891922348","text":"Each Arrow fired is a Crescendo, Splinter, Reversing, Diamond, Covetous, or Blunt Arrow","type":"explicit"},{"id":"explicit.stat_3108672983","text":"Rolls only the minimum or maximum Damage value for each Damage Type","type":"explicit"},{"id":"explicit.stat_1087787187","text":"This item gains bonuses from Socketed Items as though it was a Body Armour","type":"explicit"},{"id":"explicit.stat_2948688907","text":"Small Passive Skills in Radius also grant #% to Fire Resistance","type":"explicit"},{"id":"explicit.stat_2884937919","text":"Small Passive Skills in Radius also grant #% to Cold Resistance","type":"explicit"},{"id":"explicit.stat_2620375641","text":"Charms use no Charges","type":"explicit"},{"id":"explicit.stat_4246007234","text":"#% increased Attack Damage while on Low Life","type":"explicit"},{"id":"explicit.stat_546201303","text":"#% of Mana Leeched from targets affected by Abyssal Wasting is Instant","type":"explicit"},{"id":"explicit.stat_693237939","text":"Small Passive Skills in Radius also grant Gain additional Ailment Threshold equal to #% of maximum Energy Shield","type":"explicit"},{"id":"explicit.stat_2223678961","text":"Adds # to # Chaos damage","type":"explicit"},{"id":"explicit.stat_4106787208","text":"Spear Skills inflict a Bloodstone Lance on Hit, up to a maximum of 30 on each target","type":"explicit"},{"id":"explicit.stat_3881997959","text":"Increases Movement Speed by 25%, plus 1% per # Evasion Rating, up to a maximum of 75%\nOther Modifiers to Movement Speed except for Sprinting do not apply","type":"explicit"},{"id":"explicit.stat_806994543","text":"#% increased Thorns damage if you've consumed an Endurance Charge Recently","type":"explicit"},{"id":"explicit.stat_3994876825","text":"Small Passive Skills in Radius also grant #% to Lightning Resistance","type":"explicit"},{"id":"explicit.stat_618665892","text":"Grants Onslaught during effect","type":"explicit"},{"id":"explicit.stat_2469544361","text":"Gain #% of Cold damage as Extra Fire damage per 1% Chill Magnitude on enemy","type":"explicit"},{"id":"explicit.stat_3872034802","text":"Decimating Strike","type":"explicit"},{"id":"explicit.stat_3658708511","text":"#% of Life Leeched from targets affected by Abyssal Wasting is Instant","type":"explicit"},{"id":"explicit.stat_1895238057","text":"#% increased Mana Regeneration Rate while Surrounded","type":"explicit"},{"id":"explicit.stat_3843204146","text":"#% increased amount of Life Leeched if you've consumed a Frenzy Charge Recently","type":"explicit"},{"id":"explicit.stat_4255854327","text":"#% increased Accuracy Rating against Enemies affected by Abyssal Wasting","type":"explicit"},{"id":"explicit.stat_3932115504","text":"Projectile Attacks have a #% chance to fire two additional Projectiles while moving","type":"explicit"},{"id":"explicit.stat_1015576579","text":"#% increased Armour from Equipped Body Armour","type":"explicit"},{"id":"explicit.stat_138421180","text":"Notable Passive Skills in Radius also grant #% increased Critical Damage Bonus with Spears","type":"explicit"},{"id":"explicit.stat_3084372306","text":"#% increased Life Regeneration rate while Surrounded","type":"explicit"},{"id":"explicit.stat_338620903","text":"Notable Passive Skills in Radius also grant Gain #% of Damage as Extra Fire Damage","type":"explicit"},{"id":"explicit.stat_1862508014","text":"Notable Passive Skills in Radius also grant #% to Maximum Cold Resistance","type":"explicit"},{"id":"explicit.stat_3666934677","text":"#% increased Experience gain","type":"explicit"},{"id":"explicit.stat_281990982","text":"You and Allies in your Presence have #% increased Cast Speed","type":"explicit"},{"id":"explicit.stat_2217513089","text":"Notable Passive Skills in Radius also grant #% to Maximum Lightning Resistance","type":"explicit"},{"id":"explicit.stat_3408222535","text":"You and Allies in your Presence have #% increased Attack Speed","type":"explicit"},{"id":"explicit.stat_2771095426","text":"Gain #% of damage as Fire damage per 1% Chance to Block","type":"explicit"},{"id":"explicit.stat_852470634","text":"Notable Passive Skills in Radius also grant Gain #% of Damage as Extra Lightning Damage","type":"explicit"},{"id":"explicit.stat_425242359","text":"#% of Physical damage from Hits taken as Lightning damage","type":"explicit"},{"id":"explicit.stat_833138896","text":"Notable Passive Skills in Radius also grant Gain #% of Damage as Extra Cold Damage","type":"explicit"},{"id":"explicit.stat_4215035940","text":"On Corruption, Item gains two Enchantments","type":"explicit"},{"id":"explicit.stat_2889664727","text":"#% chance to Avoid Lightning Damage from Hits","type":"explicit"},{"id":"explicit.stat_3743375737","text":"#% chance to Avoid Cold Damage from Hits","type":"explicit"},{"id":"explicit.stat_42242677","text":"#% chance to Avoid Fire Damage from Hits","type":"explicit"},{"id":"explicit.stat_3823990000","text":"#% chance to load a bolt into all Crossbow skills on Kill","type":"explicit"},{"id":"explicit.stat_76982026","text":"Sacrifice # Life to not consume the last bolt when firing","type":"explicit"},{"id":"explicit.stat_2158617060","text":"#% increased Archon Buff duration","type":"explicit"},{"id":"explicit.stat_533542952","text":"Inflict Elemental Exposure on Hit","type":"explicit"},{"id":"explicit.stat_2818518881","text":"#% increased Spell Damage per 10 Intelligence","type":"explicit"},{"id":"explicit.stat_2337295272","text":"Minions deal #% increased Damage if you've Hit Recently","type":"explicit"},{"id":"explicit.stat_1809641701","text":"Small Passive Skills in Radius also grant #% increased maximum Life","type":"explicit"},{"id":"explicit.stat_4151994709","text":"Notable Passive Skills in Radius also grant #% to Maximum Fire Resistance","type":"explicit"},{"id":"explicit.stat_2770044702","text":"Notable Passive Skills in Radius also grant #% increased Curse Magnitudes","type":"explicit"},{"id":"explicit.stat_4180952808","text":"Notable Passive Skills in Radius also grant #% increased bonuses gained from Equipped Quiver","type":"explicit"},{"id":"explicit.stat_2733960806","text":"This item gains bonuses from Socketed Items as though it was Boots","type":"explicit"},{"id":"explicit.stat_1247628870","text":"Small Passive Skills in Radius also grant #% increased maximum Mana","type":"explicit"},{"id":"explicit.stat_2678930256","text":"#% of Chaos damage you prevent when Hit Recouped as Life and Mana during effect","type":"explicit"},{"id":"explicit.stat_1892122971","text":"Small Passive Skills in Radius also grant #% increased Damage if you have Consumed a Corpse Recently","type":"explicit"},{"id":"explicit.stat_844449513","text":"Notable Passive Skills in Radius also grant #% increased Movement Speed","type":"explicit"},{"id":"explicit.stat_288364275","text":"Small Passive Skills in Radius also grant #% increased Projectile Damage if you've dealt a Melee Hit in the past eight seconds","type":"explicit"},{"id":"explicit.stat_1850249186","text":"#% increased Spell Damage per 100 maximum Mana","type":"explicit"},{"id":"explicit.stat_3181887481","text":"Take #% of Mana Costs you pay for Skills as Physical Damage","type":"explicit"},{"id":"explicit.stat_3936121440","text":"Notable Passive Skills in Radius also grant #% increased Withered Magnitude","type":"explicit"},{"id":"explicit.stat_2421151933","text":"Small Passive Skills in Radius also grant #% increased Melee Damage if you've dealt a Projectile Attack Hit in the past eight seconds","type":"explicit"},{"id":"explicit.stat_4250009622","text":"#% chance to be Poisoned","type":"explicit"},{"id":"explicit.stat_1175213674","text":"#% of Elemental damage from Hits taken as Chaos damage","type":"explicit"},{"id":"explicit.stat_1999910726","text":"Remnants have #% increased effect","type":"explicit"},{"id":"explicit.stat_4258720395","text":"Notable Passive Skills in Radius also grant Projectiles have #% chance for an additional Projectile when Forking","type":"explicit"},{"id":"explicit.stat_1627878766","text":"Small Passive Skills in Radius also grant #% reduced Shock duration on you","type":"explicit"},{"id":"explicit.stat_255840549","text":"Small Passive Skills in Radius also grant #% increased Hazard Damage","type":"explicit"},{"id":"explicit.stat_3418580811|21","text":"Remembrancing # songworthy deeds by the line of Vorana\nPassives in radius are Conquered by the Kalguur","type":"explicit"},{"id":"explicit.stat_2709646369","text":"Notable Passive Skills in Radius also grant #% of Damage is taken from Mana before Life","type":"explicit"},{"id":"explicit.stat_2706625504","text":"Projectiles have #% increased Critical Hit Chance against Enemies further than 6m","type":"explicit"},{"id":"explicit.stat_3550545679","text":"Attacks consume an Endurance Charge to Critically Hit","type":"explicit"},{"id":"explicit.stat_3164544692","text":"Take # Chaos damage per second per Endurance Charge","type":"explicit"},{"id":"explicit.stat_3491815140","text":"#% increased Spell Damage per 100 Maximum Life","type":"explicit"},{"id":"explicit.stat_2312741059","text":"Aggravating any Bleeding with this Weapon also Aggravates all Ignites on the target","type":"explicit"},{"id":"explicit.stat_1009412152","text":"#% chance to Aggravate Bleeding on Hit","type":"explicit"},{"id":"explicit.stat_860443350","text":"Small Passive Skills in Radius also grant #% reduced Freeze Duration on you","type":"explicit"},{"id":"explicit.stat_2996245527","text":"You cannot be Chilled or Frozen","type":"explicit"},{"id":"explicit.stat_4007482102","text":"Can't use Body Armour","type":"explicit"},{"id":"explicit.stat_3635316831","text":"You can wield Two-Handed Axes, Maces and Swords in one hand","type":"explicit"},{"id":"explicit.stat_1088082880","text":"Spells which cost Life Gain #% of Damage as Extra Physical Damage","type":"explicit"},{"id":"explicit.stat_1458343515","text":"This item gains bonuses from Socketed Items as though it was a Helmet","type":"explicit"},{"id":"explicit.stat_2836928993","text":"Enemies in your Presence count as having double Power","type":"explicit"},{"id":"explicit.stat_2061237517","text":"# to Level of all Corrupted Spell Skill Gems","type":"explicit"},{"id":"explicit.stat_1776945532","text":"Enemies you kill have a #% chance to explode, dealing a quarter of their maximum Life as Chaos damage","type":"explicit"},{"id":"explicit.stat_3960211755","text":"Maximum Physical Damage Reduction is 50%","type":"explicit"},{"id":"explicit.stat_3474941090","text":"Small Passive Skills in Radius also grant #% reduced Ignite Duration on you","type":"explicit"},{"id":"explicit.stat_3246948616","text":"Lightning Damage of Enemies Hitting you is Lucky during effect","type":"explicit"},{"id":"explicit.stat_3387008487","text":"Defend with 200% of Armour","type":"explicit"},{"id":"explicit.stat_179541474","text":"Notable Passive Skills in Radius also grant #% increased Effect of your Mark Skills","type":"explicit"},{"id":"explicit.stat_679087890","text":"Defend against Hits as though you had #% more Armour per 1% current Energy Shield","type":"explicit"},{"id":"explicit.stat_775597083","text":"Areas with Powerful Map Bosses contain an additional Azmeri Spirit","type":"explicit"},{"id":"explicit.stat_2912416697","text":"Notable Passive Skills in Radius also grant #% increased Blind Effect","type":"explicit"},{"id":"explicit.stat_1007380041","text":"Small Passive Skills in Radius also grant #% increased Parry Damage","type":"explicit"},{"id":"explicit.stat_885925163","text":"Copy a random Modifier from each enemy in your Presence when\nyou Shapeshift to an Animal form\nModifiers gained this way are lost after # seconds or when you next Shapeshift","type":"explicit"},{"id":"explicit.stat_1705072014","text":"All Damage taken from Hits Contributes to Magnitude of Chill inflicted on you","type":"explicit"},{"id":"explicit.stat_4142814612","text":"Small Passive Skills in Radius also grant Banner Skills have #% increased Area of Effect","type":"explicit"},{"id":"explicit.stat_2334956771","text":"Notable Passive Skills in Radius also grant Projectiles have #% chance to Chain an additional time from terrain","type":"explicit"},{"id":"explicit.stat_3044685077","text":"# to Spirit while you have at least 200 Strength","type":"explicit"},{"id":"explicit.stat_3753446846","text":"Expeditions in Area have # Remnants","type":"explicit"},{"id":"explicit.stat_3753446846","text":"Expeditions in your Maps have # Remnant","type":"explicit"},{"id":"explicit.stat_242161915","text":"#% to all Elemental Resistances per socketed Grand Spectrum","type":"explicit"},{"id":"explicit.stat_3835522656","text":"Adds # to # Lightning Damage to Unarmed Melee Hits","type":"explicit"},{"id":"explicit.stat_3613173483","text":"#% to Unarmed Melee Attack Critical Hit Chance","type":"explicit"},{"id":"explicit.stat_2342939473","text":"#% of Current Energy Shield also grants Elemental Damage reduction","type":"explicit"},{"id":"explicit.stat_1800303440","text":"Notable Passive Skills in Radius also grant #% chance to Pierce an Enemy","type":"explicit"},{"id":"explicit.stat_3173882956","text":"Notable Passive Skills in Radius also grant Damaging Ailments deal damage #% faster","type":"explicit"},{"id":"explicit.stat_2107791433","text":"Deal your Thorns Damage to Enemies you Stun with Melee Attacks","type":"explicit"},{"id":"explicit.stat_1888024332","text":"You can have two Companions of different types","type":"explicit"},{"id":"explicit.stat_3893788785","text":"Bow Attacks consume #% of your maximum Life Flask Charges if possible to deal added Physical damage equal to #% of Flask's Life Recovery amount","type":"explicit"},{"id":"explicit.stat_1756380435","text":"Small Passive Skills in Radius also grant Minions have #% to Chaos Resistance","type":"explicit"},{"id":"explicit.stat_1000739259","text":"Cannot be Light Stunned","type":"explicit"},{"id":"explicit.stat_263495202","text":"#% increased Cost Efficiency","type":"explicit"},{"id":"explicit.stat_2586152168","text":"Archon recovery period expires #% faster","type":"explicit"},{"id":"explicit.stat_2374711847","text":"Notable Passive Skills in Radius also grant Offering Skills have #% increased Duration","type":"explicit"},{"id":"explicit.stat_1150343007","text":"#% of Damage from Hits is taken from your Damageable Companion's Life before you","type":"explicit"},{"id":"explicit.stat_2695354435","text":"#% increased Global Evasion Rating when on Low Life","type":"explicit"},{"id":"explicit.stat_1661347488","text":"Lose #% of maximum Life per second","type":"explicit"},{"id":"explicit.stat_2694614739","text":"# to Spirit while you have at least 200 Dexterity","type":"explicit"},{"id":"explicit.stat_3954735777","text":"#% chance to Poison on Hit with Attacks","type":"explicit"},{"id":"explicit.stat_60826109","text":"Blind Targets when you Poison them","type":"explicit"},{"id":"explicit.stat_1570501432","text":"Leech Life #% faster","type":"explicit"},{"id":"explicit.stat_3840716439","text":"Enemies in your Presence have at least #% of Life Reserved","type":"explicit"},{"id":"explicit.stat_2109189637","text":"#% of Lightning Damage Converted to Chaos Damage","type":"explicit"},{"id":"explicit.stat_2418601510","text":"Chaos Damage from Hits also Contributes to Shock Chance","type":"explicit"},{"id":"explicit.stat_2466011626","text":"#% chance for Lightning Damage with Hits to be Lucky","type":"explicit"},{"id":"explicit.stat_1381474422","text":"#% increased Magnitude of Damaging Ailments you inflict","type":"explicit"},{"id":"explicit.stat_1493211587","text":"#% chance to Poison on Hit with Spell Damage","type":"explicit"},{"id":"explicit.stat_461663422","text":"#% increased Effect of Jewel Socket Passive Skills\ncontaining Corrupted Magic Jewels","type":"explicit"},{"id":"explicit.stat_1846980580","text":"Notable Passive Skills in Radius also grant # to Maximum Rage","type":"explicit"},{"id":"explicit.stat_324579579","text":"#% increased Attack Speed per 20 Spirit","type":"explicit"},{"id":"explicit.stat_3243034867","text":"Notable Passive Skills in Radius also grant Aura Skills have #% increased Magnitudes","type":"explicit"},{"id":"explicit.stat_3593063598","text":"Mana Recovery other than Regeneration cannot Recover Mana","type":"explicit"},{"id":"explicit.stat_347220474","text":"#% increased Spell damage for each 200 total Mana you have Spent Recently","type":"explicit"},{"id":"explicit.stat_2650053239","text":"#% increased Cost of Skills for each 200 total Mana Spent Recently","type":"explicit"},{"id":"explicit.stat_3868746097","text":"Enemies have an Accuracy Penalty against you based on Distance","type":"explicit"},{"id":"explicit.stat_2573406169","text":"Projectiles have #% increased Critical Damage Bonus against Enemies within 2m","type":"explicit"},{"id":"explicit.stat_1500744699","text":"Maximum Chance to Evade is 50%","type":"explicit"},{"id":"explicit.stat_988575597","text":"#% increased Energy Shield Recovery rate","type":"explicit"},{"id":"explicit.stat_324210709","text":"#% increased Magnitude of Shock if you've consumed a Frenzy Charge Recently","type":"explicit"},{"id":"explicit.stat_3138344128","text":"Defend with 200% of Armour during effect","type":"explicit"},{"id":"explicit.stat_1282318918","text":"# to Spirit while you have at least 200 Intelligence","type":"explicit"},{"id":"explicit.stat_942519401","text":"Notable Passive Skills in Radius also grant #% increased Life Flask Charges gained","type":"explicit"},{"id":"explicit.stat_34174842","text":"#% increased Cast Speed per 20 Spirit","type":"explicit"},{"id":"explicit.stat_3171212276","text":"Notable Passive Skills in Radius also grant #% increased Mana Flask Charges gained","type":"explicit"},{"id":"explicit.stat_3007552094","text":"You have Unholy Might","type":"explicit"},{"id":"explicit.stat_2725205297","text":"#% increased Magnitude of Unholy Might buffs you grant","type":"explicit"},{"id":"explicit.stat_2264240911","text":"Small Passive Skills in Radius also grant #% to Chaos Resistance","type":"explicit"},{"id":"explicit.stat_2456226238","text":"Recover #% of your maximum Mana when an Enemy dies in your Presence","type":"explicit"},{"id":"explicit.stat_1772929282","text":"Enemies you Curse have #% to Chaos Resistance","type":"explicit"},{"id":"explicit.stat_2157870819","text":"# to Level of Despair Skills","type":"explicit"},{"id":"explicit.stat_2534359663","text":"Notable Passive Skills in Radius also grant Minions have #% increased Area of Effect","type":"explicit"},{"id":"explicit.stat_2991563371","text":"Abyssal Wasting also applies #% to Fire Resistance","type":"explicit"},{"id":"explicit.stat_2603051299","text":"Notable Passive Skills in Radius also grant Gain #% of Damage as Extra Chaos Damage","type":"explicit"},{"id":"explicit.stat_2149603090","text":"Notable Passive Skills in Radius also grant #% increased Cooldown Recovery Rate","type":"explicit"},{"id":"explicit.stat_3418580811|22","text":"Remembrancing # songworthy deeds by the line of Medved\nPassives in radius are Conquered by the Kalguur","type":"explicit"},{"id":"explicit.stat_2890792988","text":"Your Hits can Penetrate Elemental Resistances down to a minimum of -50%","type":"explicit"},{"id":"explicit.stat_1731760476","text":"Notable Passive Skills in Radius also grant #% to Maximum Chaos Resistance","type":"explicit"},{"id":"explicit.stat_1042153418","text":"# to Level of Temporal Chains Skills","type":"explicit"},{"id":"explicit.stat_1695767482","text":"Inflict Corrupted Blood for # second on Block, dealing #% of\nyour maximum Life as Physical damage per second","type":"explicit"},{"id":"explicit.stat_2074866941","text":"#% increased Exposure Effect","type":"explicit"},{"id":"explicit.stat_2101383955","text":"Damage Penetrates #% Elemental Resistances","type":"explicit"},{"id":"explicit.stat_3979226081","text":"Abyssal Wasting also applies #% to Cold Resistance","type":"explicit"},{"id":"explicit.stat_3076483222|64921","text":"Sacrifice up to 10 Vaal Orbs to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_1726353460","text":"Abyssal Wasting also applies #% to Lightning Resistance","type":"explicit"},{"id":"explicit.stat_1509533589","text":"Enemies take #% increased Damage for each Elemental Ailment type among\nyour Ailments on them","type":"explicit"},{"id":"explicit.stat_3948285912","text":"# to Level of Enfeeble Skills","type":"explicit"},{"id":"explicit.stat_1777740627","text":"Life that would be lost by taking Damage is instead Reserved\nuntil you take no Damage to Life for # second","type":"explicit"},{"id":"explicit.stat_36954843","text":"You and Allies in your Presence have #% increased Cooldown Recovery Rate","type":"explicit"},{"id":"explicit.stat_2156230257","text":"All Damage from Hits with this Weapon Contributes to Chill Magnitude","type":"explicit"},{"id":"explicit.stat_2604619892","text":"#% increased Duration of Elemental Ailments on Enemies","type":"explicit"},{"id":"explicit.stat_2609822974","text":"Curses you inflict have infinite Duration","type":"explicit"},{"id":"explicit.stat_1367119630","text":"Curses you inflict can affect Hexproof Enemies","type":"explicit"},{"id":"explicit.stat_1354656031","text":"Withered you inflict has infinite Duration","type":"explicit"},{"id":"explicit.stat_3418580811|23","text":"Remembrancing # songworthy deeds by the line of Olroth\nPassives in radius are Conquered by the Kalguur","type":"explicit"},{"id":"explicit.stat_2879778895","text":"Every 10 seconds, gain a random non-damaging Shrine buff for 20 seconds","type":"explicit"},{"id":"explicit.stat_3076483222|62634","text":"Sacrifice up to 20 Exalted Orbs to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_232701452","text":"#% increased Freeze Buildup if you've consumed an Power Charge Recently","type":"explicit"},{"id":"explicit.stat_2825946427","text":"Projectiles deal #% increased Damage with Hits against Enemies further than 6m","type":"explicit"},{"id":"explicit.stat_120737942","text":"Ritual Altars in Area allow rerolling Favours an additional time","type":"explicit"},{"id":"explicit.stat_120737942","text":"Ritual Altars in your Maps allow rerolling Favours an additional time","type":"explicit"},{"id":"explicit.stat_2295988214","text":"#% of Elemental Damage Converted to Chaos Damage","type":"explicit"},{"id":"explicit.stat_2422708892|32349","text":"Passives in Radius of Giant's Blood can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_3350232544","text":"# metre to Dodge Roll distance if you haven't Dodge Rolled Recently","type":"explicit"},{"id":"explicit.stat_3893509584","text":"Minions have Unholy Might","type":"explicit"},{"id":"explicit.stat_2306588612","text":"Barrageable Attacks with this Bow Repeat # time if no enemies are in your Presence","type":"explicit"},{"id":"explicit.stat_57896763","text":"# metre to Dodge Roll distance if you've Dodge Rolled Recently","type":"explicit"},{"id":"explicit.stat_1914226331","text":"#% increased Cast Speed while on Full Mana","type":"explicit"},{"id":"explicit.stat_2422708892|19288","text":"Passives in Radius of Glancing Blows can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_2387539034","text":"Attacks with this Weapon Penetrate #% Lightning Resistance","type":"explicit"},{"id":"explicit.stat_2422708892|37484","text":"Passives in Radius of Primal Hunger can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_2856328513","text":"#% increased Critical Hit Chance if you haven't dealt a Critical Hit Recently","type":"explicit"},{"id":"explicit.stat_2422708892|33369","text":"Passives in Radius of Vaal Pact can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_2422708892|18684","text":"Passives in Radius of Avatar of Fire can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_4270096386","text":"Hits have #% increased Critical Hit Chance against you","type":"explicit"},{"id":"explicit.stat_3598729471","text":"You can only Socket Emerald Jewels in this item","type":"explicit"},{"id":"explicit.stat_3631920880","text":"Lightning Resistance is unaffected by Area Penalties","type":"explicit"},{"id":"explicit.stat_2422708892|33979","text":"Passives in Radius of Conduit can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_1078309513","text":"Invocated Spells deal #% increased Damage","type":"explicit"},{"id":"explicit.stat_916833363","text":"#% increased Magnitude of Ignite if you've consumed an Endurance Charge Recently","type":"explicit"},{"id":"explicit.stat_3040571529","text":"#% increased Deflection Rating","type":"explicit"},{"id":"explicit.stat_2422708892|45202","text":"Passives in Radius of Ancestral Bond can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_2422708892|51749","text":"Passives in Radius of Blood Magic can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_4031148736","text":"You can only Socket Ruby Jewels in this item","type":"explicit"},{"id":"explicit.stat_3247805335","text":"Fire Resistance is unaffected by Area Penalties","type":"explicit"},{"id":"explicit.stat_145598447","text":"Everlasting Sacrifice","type":"explicit"},{"id":"explicit.stat_2422708892|46742","text":"Passives in Radius of Elemental Equilibrium can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_414821772","text":"Increases and Reductions to Projectile Speed also apply to Damage with Bows","type":"explicit"},{"id":"explicit.stat_3773763721","text":"This item gains bonuses from Socketed Soul Cores as though it was also a Helmet","type":"explicit"},{"id":"explicit.stat_2468595624","text":"Projectiles deal #% increased Damage with Hits against Enemies within 2m","type":"explicit"},{"id":"explicit.stat_21302430","text":"You can only Socket Sapphire Jewels in this item","type":"explicit"},{"id":"explicit.stat_4207433208","text":"Cold Resistance is unaffected by Area Penalties","type":"explicit"},{"id":"explicit.stat_2675129731","text":"Notable Passive Skills in Radius also grant #% increased Warcry Buff Effect","type":"explicit"},{"id":"explicit.stat_2422708892|55048","text":"Passives in Radius of Pain Attunement can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_1464727508","text":"Enemies in your Presence are Blinded","type":"explicit"},{"id":"explicit.stat_1052498387","text":"Every second, inflicts Critical Weakness on enemies in your Presence for # second","type":"explicit"},{"id":"explicit.stat_2422708892|56605","text":"Passives in Radius of Bulwark can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_3076483222|49977","text":"Sacrifice up to 10 Chaos Orbs to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_3076483222|54496","text":"Sacrifice up to 20 Regal Orbs to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_2422708892|39935","text":"Passives in Radius of Necromantic Talisman can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_335885735","text":"Bears the Mark of the Abyssal Lord","type":"explicit"},{"id":"explicit.stat_2422708892|14540","text":"Passives in Radius of Unwavering Stance can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_3350279336","text":"#% increased Cost Efficiency of Attacks","type":"explicit"},{"id":"explicit.stat_314741699","text":"#% increased Attack Speed while a Rare or Unique Enemy is in your Presence","type":"explicit"},{"id":"explicit.stat_3076483222|20358","text":"Sacrifice up to 10 Orbs of Alchemy to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_3915618954","text":"This item gains bonuses from Socketed Soul Cores as though it was also Gloves","type":"explicit"},{"id":"explicit.stat_1740229525","text":"Attacks with this Weapon Penetrate #% Cold Resistance","type":"explicit"},{"id":"explicit.stat_3258071686","text":"Attacks have Added maximum Lightning Damage equal to #% of maximum Mana","type":"explicit"},{"id":"explicit.stat_2157692677","text":"Attacks cost an additional #% of your maximum Mana","type":"explicit"},{"id":"explicit.stat_2422708892|44017","text":"Passives in Radius of Resolute Technique can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_150590298","text":"This item gains bonuses from Socketed Soul Cores as though it was also Boots","type":"explicit"},{"id":"explicit.stat_1365232741","text":"#% increased Grenade Duration","type":"explicit"},{"id":"explicit.stat_1864159246","text":"#% increased Effect of Poison you inflict on targets that are not Poisoned","type":"explicit"},{"id":"explicit.stat_3131442032","text":"#% increased Grenade Damage","type":"explicit"},{"id":"explicit.stat_3398283493","text":"Attacks with this Weapon Penetrate #% Fire Resistance","type":"explicit"},{"id":"explicit.stat_3991877392","text":"Notable Passive Skills in Radius also grant # to Spirit","type":"explicit"},{"id":"explicit.stat_2422708892|34497","text":"Passives in Radius of Heartstopper can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_2422708892|56349","text":"Passives in Radius of Chaos Inoculation can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_2422708892|25100","text":"Passives in Radius of Oasis can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_2896115339","text":"#% of Elemental Damage taken Recouped as Energy Shield","type":"explicit"},{"id":"explicit.stat_4097212302","text":"# to maximum number of Elemental Infusions","type":"explicit"},{"id":"explicit.stat_2221570601","text":"#% Global chance to Blind Enemies on Hit","type":"explicit"},{"id":"explicit.stat_1285684287","text":"Enemies in your Presence count as being on Low Life","type":"explicit"},{"id":"explicit.stat_825825364","text":"Life Leech recovers based on your Chaos damage instead of Physical damage","type":"explicit"},{"id":"explicit.stat_447757144","text":"When you Consume a Charge Trigger Chaotic Surge to gain # Chaos Surge","type":"explicit"},{"id":"explicit.stat_2422708892|33404","text":"Passives in Radius of Eternal Youth can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_2422708892|52","text":"Passives in Radius of Zealot's Oath can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_299996","text":"#% increased Attack Speed while your Companion is in your Presence","type":"explicit"},{"id":"explicit.stat_2422708892|14226","text":"Passives in Radius of Dance with Death can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_2068415277","text":"Players have #% more Defences","type":"explicit"},{"id":"explicit.stat_2103650854","text":"#% increased effect of Arcane Surge on you","type":"explicit"},{"id":"explicit.stat_1310597900","text":"Players have #% more Recovery Rate of Life, Mana and Energy Shield","type":"explicit"},{"id":"explicit.stat_3482326075","text":"Remnants can be collected from #% further away","type":"explicit"},{"id":"explicit.stat_1761741119","text":"Banners always have maximum Valour","type":"explicit"},{"id":"explicit.stat_1896726125","text":"# to maximum Valour","type":"explicit"},{"id":"explicit.stat_1515657623","text":"# to Maximum Endurance Charges","type":"explicit"},{"id":"explicit.stat_2326202293","text":"Players are Cursed with Temporal Chains","type":"explicit"},{"id":"explicit.stat_1416406066","text":"#% increased Spirit","type":"explicit"},{"id":"explicit.stat_4103440490","text":"Players are Cursed with Enfeeble","type":"explicit"},{"id":"explicit.stat_558910024","text":"Players are Cursed with Elemental Weakness","type":"explicit"},{"id":"explicit.stat_1697191405","text":"#% increased Reservation Efficiency of Herald Skills","type":"explicit"},{"id":"explicit.stat_1138708335","text":"Monster Damage penetrates #% of Cold Resistance","type":"explicit"},{"id":"explicit.stat_3119282240","text":"Players have #% more maximum Life and Energy Shield","type":"explicit"},{"id":"explicit.stat_3093465148","text":"Monster Damage penetrates #% of Lightning Resistance","type":"explicit"},{"id":"explicit.stat_3588388638","text":"Monster Damage penetrates #% of Fire Resistance","type":"explicit"},{"id":"explicit.stat_2422708892|47759","text":"Passives in Radius of Whispers of Doom can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_2422708892|28492","text":"Passives in Radius of Iron Reflexes can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_3749502527","text":"#% chance to gain Volatility on Kill","type":"explicit"},{"id":"explicit.stat_166883716","text":"Monsters have #% increased Defences","type":"explicit"},{"id":"explicit.stat_396200591","text":"Skills have # seconds to Cooldown","type":"explicit"},{"id":"explicit.stat_1538879632","text":"Inflict Fire Exposure on Shocking an Enemy","type":"explicit"},{"id":"explicit.stat_2665488635","text":"Inflict Lightning Exposure on Critical Hit","type":"explicit"},{"id":"explicit.stat_1327522346","text":"#% increased Mana Regeneration Rate while moving","type":"explicit"},{"id":"explicit.stat_3314536008","text":"Inflict Cold Exposure on Igniting an Enemy","type":"explicit"},{"id":"explicit.stat_1518586897","text":"#% increased Cast Speed for each different Non-Instant Spell you've Cast Recently","type":"explicit"},{"id":"explicit.stat_2422708892|57513","text":"Passives in Radius of Eldritch Battery can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_668076381","text":"Heavy Stuns Enemies that are on Full Life","type":"explicit"},{"id":"explicit.stat_2422708892|25520","text":"Passives in Radius of Resonance can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_2749595652","text":"#% chance for Skills to retain 40% of Glory on use","type":"explicit"},{"id":"explicit.stat_1404607671","text":"Soul Eater","type":"explicit"},{"id":"explicit.stat_1045789614","text":"#% increased Critical Hit Chance against Marked Enemies","type":"explicit"},{"id":"explicit.stat_2422708892|45918","text":"Passives in Radius of Mind Over Matter can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_3605616594","text":"Gain Onslaught for 4 seconds when a Minion Dies","type":"explicit"},{"id":"explicit.stat_1168851547","text":"Natural Rare Monsters in Area have # extra Abyssal Modifier","type":"explicit"},{"id":"explicit.stat_3407849389","text":"#% reduced effect of Curses on you","type":"explicit"},{"id":"explicit.stat_3076483222|4897","text":"Sacrifice up to 20 Armourer's Scraps to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_231726304","text":"This item gains bonuses from Socketed Soul Cores as though it was also a Shield","type":"explicit"},{"id":"explicit.stat_318092306","text":"Small Passive Skills in Radius also grant Attack Hits apply Incision","type":"explicit"},{"id":"explicit.stat_2543331226","text":"#% increased Damage while you have a Totem","type":"explicit"},{"id":"explicit.stat_3655769732","text":"#% to Quality of all Skills","type":"explicit"},{"id":"explicit.stat_446027070","text":"#% chance to Gain Arcane Surge when you deal a Critical Hit","type":"explicit"},{"id":"explicit.stat_1514844108","text":"Notable Passive Skills in Radius also grant #% increased Parried Debuff Duration","type":"explicit"},{"id":"explicit.stat_3972229254","text":"#% of Armour also applies to Chaos Damage","type":"explicit"},{"id":"explicit.stat_1781372024","text":"Recover #% of maximum Life on Killing a Poisoned Enemy","type":"explicit"},{"id":"explicit.stat_2363593824","text":"#% increased speed of Recoup Effects","type":"explicit"},{"id":"explicit.stat_3480095574","text":"Charms applied to you have #% increased Effect","type":"explicit"},{"id":"explicit.stat_3620731914","text":"Attacks with this Weapon gain #% of Physical damage as Extra damage of each Element","type":"explicit"},{"id":"explicit.stat_1495814176","text":"Notable Passive Skills in Radius also grant #% increased Stun Threshold while Parrying","type":"explicit"},{"id":"explicit.stat_2422708892|41861","text":"Passives in Radius of Trusted Kinship can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_1370804479","text":"Elemental Ailments other than Freeze you inflict are Reflected to you","type":"explicit"},{"id":"explicit.stat_2422708892|9085","text":"Passives in Radius of Crimson Assault can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_2258007247","text":"Gain # Rage on Hit","type":"explicit"},{"id":"explicit.stat_3488475284","text":"Notable Passive Skills in Radius also grant #% increased Global Defences","type":"explicit"},{"id":"explicit.stat_311641062","text":"#% chance for Flasks you use to not consume Charges","type":"explicit"},{"id":"explicit.stat_3742268652","text":"Grants effect of Dreaming Gloom Shrine","type":"explicit"},{"id":"explicit.stat_262946222","text":"Allies in your Presence deal # to # added Attack Chaos Damage","type":"explicit"},{"id":"explicit.stat_2589572664","text":"Notable Passive Skills in Radius also grant #% increased maximum Mana","type":"explicit"},{"id":"explicit.stat_1286199571","text":"Break Armour on Critical Hit with Spells equal to #% of Physical Damage dealt","type":"explicit"},{"id":"explicit.stat_3076483222|19846","text":"Sacrifice up to 20 Artificer's Orbs to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_1742651309","text":"#% of Fire Damage taken Recouped as Life","type":"explicit"},{"id":"explicit.stat_4224832423","text":"#% chance for Spell Skills to fire 8 additional Projectiles in a circle","type":"explicit"},{"id":"explicit.stat_636464211","text":"Excess Life Recovery added as Guard for # seconds","type":"explicit"},{"id":"explicit.stat_538981065","text":"Grenades have #% chance to activate a second time","type":"explicit"},{"id":"explicit.stat_67169579","text":"# to Level of all Chaos Skills","type":"explicit"},{"id":"explicit.stat_3927679277","text":"#% chance when collecting an Elemental Infusion to gain an\nadditional Elemental Infusion of the same type","type":"explicit"},{"id":"explicit.stat_3711973554","text":"Invocated Spells have #% chance to consume half as much Energy","type":"explicit"},{"id":"explicit.stat_2931872063","text":"Gain Volatility on Critical Hit","type":"explicit"},{"id":"explicit.stat_909236563","text":"#% increased Surrounded Area of Effect","type":"explicit"},{"id":"explicit.stat_1174076861","text":"#% increased Cast Speed if you've dealt a Critical Hit Recently","type":"explicit"},{"id":"explicit.stat_2544540062","text":"Skills which create Fissures have a #% chance to create an additional Fissure","type":"explicit"},{"id":"explicit.stat_1827854662","text":"Area contains an additional Incubator Queen","type":"explicit"},{"id":"explicit.stat_4258524206","text":"#% chance to build an additional Combo on Hit","type":"explicit"},{"id":"explicit.stat_2705185939","text":"#% chance to Aggravate Bleeding on targets you Hit with Attacks","type":"explicit"},{"id":"explicit.stat_3076483222|32821","text":"Sacrifice up to 20 Blacksmith's Whetstones to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_3481083201","text":"#% increased chance to Poison","type":"explicit"},{"id":"explicit.stat_3396435291","text":"#% increased Mana Cost Efficiency if you have Dodge Rolled Recently","type":"explicit"},{"id":"explicit.stat_1823942939","text":"# to maximum number of Summoned Ballista Totems","type":"explicit"},{"id":"explicit.stat_2474424958","text":"Spell Skills have # to maximum number of Summoned Totems","type":"explicit"},{"id":"explicit.stat_4121454694","text":"Recover #% of maximum Mana when a Charm is used","type":"explicit"},{"id":"explicit.stat_212649958","text":"Enemies Hindered by you take #% increased Elemental Damage","type":"explicit"},{"id":"explicit.stat_3418580811|27","text":"Glorifying the defilement of # souls in tribute to Tecrod\nPassives in radius are Conquered by the Abyssals\nDesecration makes this item unstable","type":"explicit"},{"id":"explicit.stat_448592698|85","text":"+# to Level of all Wave of Frost Skills","type":"explicit"},{"id":"explicit.stat_3359797958","text":"#% increased Projectile Speed for Spell Skills","type":"explicit"},{"id":"explicit.stat_448592698|29","text":"+# to Level of all Firestorm Skills","type":"explicit"},{"id":"explicit.stat_1434716233","text":"Warcries Empower an additional Attack","type":"explicit"},{"id":"explicit.stat_1949851472","text":"#% chance when a Charm is used to use another Charm without consuming Charges","type":"explicit"},{"id":"explicit.stat_3413635271","text":"#% increased Reservation Efficiency of Companion Skills","type":"explicit"},{"id":"explicit.stat_448592698|67","text":"+# to Level of all Barrier Invocation Skills","type":"explicit"},{"id":"explicit.stat_3313255158","text":"#% increased Skill Speed if you've consumed a Frenzy Charge Recently","type":"explicit"},{"id":"explicit.stat_448592698|68","text":"+# to Level of all Lingering Illusion Skills","type":"explicit"},{"id":"explicit.stat_2013356568","text":"Melee Attack Skills have # to maximum number of Summoned Totems","type":"explicit"},{"id":"explicit.stat_448592698|44","text":"+# to Level of all Tornado Shot Skills","type":"explicit"},{"id":"explicit.stat_4136346606","text":"#% increased Spell Damage while wielding a Melee Weapon","type":"explicit"},{"id":"explicit.stat_448592698|72","text":"+# to Level of all Elemental Invocation Skills","type":"explicit"},{"id":"explicit.stat_242637938","text":"#% increased chance to inflict Bleeding","type":"explicit"},{"id":"explicit.stat_2278777540","text":"Abysses lead to an Abyssal Depths","type":"explicit"},{"id":"explicit.stat_501873429","text":"#% chance for Charms you use to not consume Charges","type":"explicit"},{"id":"explicit.stat_448592698|12","text":"+# to Level of all Berserk Skills","type":"explicit"},{"id":"explicit.stat_448592698|151","text":"+# to Level of all Incendiary Shot Skills","type":"explicit"},{"id":"explicit.stat_448592698|22","text":"+# to Level of all Soul Offering Skills","type":"explicit"},{"id":"explicit.stat_448592698|62","text":"+# to Level of all Hand of Chayula Skills","type":"explicit"},{"id":"explicit.stat_448592698|110","text":"+# to Level of all Electrocuting Arrow Skills","type":"explicit"},{"id":"explicit.stat_448592698|42","text":"+# to Level of all Shockchain Arrow Skills","type":"explicit"},{"id":"explicit.stat_448592698|148","text":"+# to Level of all Vine Arrow Skills","type":"explicit"},{"id":"explicit.stat_448592698|102","text":"+# to Level of all Wind Blast Skills","type":"explicit"},{"id":"explicit.stat_448592698|9","text":"+# to Level of all Reaper's Invocation Skills","type":"explicit"},{"id":"explicit.stat_448592698|30","text":"+# to Level of all Ball Lightning Skills","type":"explicit"},{"id":"explicit.stat_448592698|7","text":"+# to Level of all Charge Regulation Skills","type":"explicit"},{"id":"explicit.stat_448592698|63","text":"+# to Level of all Blasphemy Skills","type":"explicit"},{"id":"explicit.stat_2760344900","text":"#% chance when you Reload a Crossbow to be immediate","type":"explicit"},{"id":"explicit.stat_448592698|31","text":"+# to Level of all Bone Offering Skills","type":"explicit"},{"id":"explicit.stat_448592698|56","text":"+# to Level of all Detonating Arrow Skills","type":"explicit"},{"id":"explicit.stat_448592698|69","text":"+# to Level of all Cast on Minion Death Skills","type":"explicit"},{"id":"explicit.stat_448592698|100","text":"+# to Level of all Barrage Skills","type":"explicit"},{"id":"explicit.stat_448592698|4","text":"+# to Level of all Dread Banner Skills","type":"explicit"},{"id":"explicit.stat_4129825612","text":"#% of Physical Damage from Hits taken as Chaos Damage","type":"explicit"},{"id":"explicit.stat_1382805233","text":"#% increased Deflection Rating while moving","type":"explicit"},{"id":"explicit.stat_448592698|118","text":"+# to Level of all Freezing Salvo Skills","type":"explicit"},{"id":"explicit.stat_448592698|124","text":"+# to Level of all Ghost Dance Skills","type":"explicit"},{"id":"explicit.stat_448592698|2","text":"+# to Level of all Cast on Dodge Skills","type":"explicit"},{"id":"explicit.stat_448592698|18","text":"+# to Level of all Eye of Winter Skills","type":"explicit"},{"id":"explicit.stat_448592698|138","text":"+# to Level of all Orb of Storms Skills","type":"explicit"},{"id":"explicit.stat_448592698|137","text":"+# to Level of all Infernal Cry Skills","type":"explicit"},{"id":"explicit.stat_448592698|79","text":"+# to Level of all Sniper's Mark Skills","type":"explicit"},{"id":"explicit.stat_2885317882","text":"Natural Monster Packs in Area are in a Union of Souls","type":"explicit"},{"id":"explicit.stat_448592698|165","text":"+# to Level of all Escape Shot Skills","type":"explicit"},{"id":"explicit.stat_448592698|96","text":"+# to Level of all Voltaic Mark Skills","type":"explicit"},{"id":"explicit.stat_448592698|48","text":"+# to Level of all Rain of Arrows Skills","type":"explicit"},{"id":"explicit.stat_448592698|74","text":"+# to Level of all Overwhelming Presence Skills","type":"explicit"},{"id":"explicit.stat_448592698|78","text":"+# to Level of all Detonate Dead Skills","type":"explicit"},{"id":"explicit.stat_3274422940","text":"#% increased Ice Crystal Life","type":"explicit"},{"id":"explicit.stat_448592698|43","text":"+# to Level of all Emergency Reload Skills","type":"explicit"},{"id":"explicit.stat_448592698|28","text":"+# to Level of all Gathering Storm Skills","type":"explicit"},{"id":"explicit.stat_448592698|120","text":"+# to Level of all Herald of Ash Skills","type":"explicit"},{"id":"explicit.stat_448592698|60","text":"+# to Level of all Mantra of Destruction Skills","type":"explicit"},{"id":"explicit.stat_436406826","text":"Players are Marked for Death for # seconds\nafter killing a Rare or Unique monster","type":"explicit"},{"id":"explicit.stat_448592698|45","text":"+# to Level of all Frost Wall Skills","type":"explicit"},{"id":"explicit.stat_448592698|143","text":"+# to Level of all Staggering Palm Skills","type":"explicit"},{"id":"explicit.stat_448592698|105","text":"+# to Level of all Pain Offering Skills","type":"explicit"},{"id":"explicit.stat_448592698|146","text":"+# to Level of all Stormcaller Arrow Skills","type":"explicit"},{"id":"explicit.stat_448592698|53","text":"+# to Level of all Mana Tempest Skills","type":"explicit"},{"id":"explicit.stat_448592698|76","text":"+# to Level of all Combat Frenzy Skills","type":"explicit"},{"id":"explicit.stat_448592698|20","text":"+# to Level of all Spiral Volley Skills","type":"explicit"},{"id":"explicit.stat_448592698|84","text":"+# to Level of all Earthshatter Skills","type":"explicit"},{"id":"explicit.stat_448592698|87","text":"+# to Level of all Voltaic Grenade Skills","type":"explicit"},{"id":"explicit.stat_448592698|132","text":"+# to Level of all Withering Presence Skills","type":"explicit"},{"id":"explicit.stat_448592698|14","text":"+# to Level of all Temporal Chains Skills","type":"explicit"},{"id":"explicit.stat_448592698|40","text":"+# to Level of all Hailstorm Rounds Skills","type":"explicit"},{"id":"explicit.stat_448592698|75","text":"+# to Level of all Herald of Plague Skills","type":"explicit"},{"id":"explicit.stat_448592698|112","text":"+# to Level of all Perfect Strike Skills","type":"explicit"},{"id":"explicit.stat_448592698|52","text":"+# to Level of all Volcanic Fissure Skills","type":"explicit"},{"id":"explicit.stat_448592698|95","text":"+# to Level of all Freezing Mark Skills","type":"explicit"},{"id":"explicit.stat_448592698|166","text":"+# to Level of all Glacial Cascade Skills","type":"explicit"},{"id":"explicit.stat_448592698|93","text":"+# to Level of all Glacial Bolt Skills","type":"explicit"},{"id":"explicit.stat_448592698|88","text":"+# to Level of all Siphoning Strike Skills","type":"explicit"},{"id":"explicit.stat_1868522266","text":"#% less Defences","type":"explicit"},{"id":"explicit.stat_448592698|10","text":"+# to Level of all Sacrifice Skills","type":"explicit"},{"id":"explicit.stat_448592698|70","text":"+# to Level of all Defiance Banner Skills","type":"explicit"},{"id":"explicit.stat_448592698|97","text":"+# to Level of all Raise Zombie Skills","type":"explicit"},{"id":"explicit.stat_448592698|104","text":"+# to Level of all Gas Grenade Skills","type":"explicit"},{"id":"explicit.stat_448592698|108","text":"+# to Level of all Toxic Growth Skills","type":"explicit"},{"id":"explicit.stat_448592698|36","text":"+# to Level of all Supercharged Slam Skills","type":"explicit"},{"id":"explicit.stat_448592698|157","text":"+# to Level of all Frost Bomb Skills","type":"explicit"},{"id":"explicit.stat_448592698|27","text":"+# to Level of all Magnetic Salvo Skills","type":"explicit"},{"id":"explicit.stat_448592698|6","text":"+# to Level of all Elemental Conflux Skills","type":"explicit"},{"id":"explicit.stat_448592698|46","text":"+# to Level of all Despair Skills","type":"explicit"},{"id":"explicit.stat_448592698|142","text":"+# to Level of all Flash Grenade Skills","type":"explicit"},{"id":"explicit.stat_448592698|8","text":"+# to Level of all Alchemist's Boon Skills","type":"explicit"},{"id":"explicit.stat_448592698|24","text":"+# to Level of all Siege Cascade Skills","type":"explicit"},{"id":"explicit.stat_448592698|115","text":"+# to Level of all Rapid Shot Skills","type":"explicit"},{"id":"explicit.stat_1388221282","text":"Abyss Cracks have #% chance to spawn all Monsters as at least Magic","type":"explicit"},{"id":"explicit.stat_1388221282","text":"Abyss Cracks in your Maps have #% chance to spawn all Monsters as at least Magic","type":"explicit"},{"id":"explicit.stat_448592698|116","text":"+# to Level of all Ice Shards Skills","type":"explicit"},{"id":"explicit.stat_448592698|73","text":"+# to Level of all Shard Scavenger Skills","type":"explicit"},{"id":"explicit.stat_4157613372","text":"Abyss Pits have #% chance to spawn all Monsters as at least Magic","type":"explicit"},{"id":"explicit.stat_4157613372","text":"Abyss Pits in your Maps have #% chance to spawn all Monsters as at least Magic","type":"explicit"},{"id":"explicit.stat_448592698|131","text":"+# to Level of all War Banner Skills","type":"explicit"},{"id":"explicit.stat_448592698|175","text":"+# to Level of all Permafrost Bolts Skills","type":"explicit"},{"id":"explicit.stat_448592698|71","text":"+# to Level of all Time of Need Skills","type":"explicit"},{"id":"explicit.stat_448592698|150","text":"+# to Level of all High Velocity Rounds Skills","type":"explicit"},{"id":"explicit.stat_448592698|109","text":"+# to Level of all Solar Orb Skills","type":"explicit"},{"id":"explicit.stat_448592698|167","text":"+# to Level of all Killing Palm Skills","type":"explicit"},{"id":"explicit.stat_448592698|172","text":"+# to Level of all Lightning Rod Skills","type":"explicit"},{"id":"explicit.stat_448592698|155","text":"+# to Level of all Falling Thunder Skills","type":"explicit"},{"id":"explicit.stat_448592698|94","text":"+# to Level of all Storm Wave Skills","type":"explicit"},{"id":"explicit.stat_448592698|5","text":"+# to Level of all Attrition Skills","type":"explicit"},{"id":"explicit.stat_448592698|159","text":"+# to Level of all Contagion Skills","type":"explicit"},{"id":"explicit.stat_448592698|83","text":"+# to Level of all Vulnerability Skills","type":"explicit"},{"id":"explicit.stat_2146799605","text":"#% less Movement Speed","type":"explicit"},{"id":"explicit.stat_448592698|86","text":"+# to Level of all Artillery Ballista Skills","type":"explicit"},{"id":"explicit.stat_448592698|169","text":"+# to Level of all Frozen Locus Skills","type":"explicit"},{"id":"explicit.stat_448592698|173","text":"+# to Level of all Fragmentation Rounds Skills","type":"explicit"},{"id":"explicit.stat_448592698|26","text":"+# to Level of all Cluster Grenade Skills","type":"explicit"},{"id":"explicit.stat_3161573445","text":"Regenerate #% of maximum Life per Second if you've used a Life Flask in the past 10 seconds","type":"explicit"},{"id":"explicit.stat_448592698|170","text":"+# to Level of all Unearth Skills","type":"explicit"},{"id":"explicit.stat_448592698|33","text":"+# to Level of all Seismic Cry Skills","type":"explicit"},{"id":"explicit.stat_448592698|125","text":"+# to Level of all Mana Remnants Skills","type":"explicit"},{"id":"explicit.stat_448592698|17","text":"+# to Level of all Skeletal Cleric Skills","type":"explicit"},{"id":"explicit.stat_448592698|163","text":"+# to Level of all Boneshatter Skills","type":"explicit"},{"id":"explicit.stat_448592698|128","text":"+# to Level of all Wind Dancer Skills","type":"explicit"},{"id":"explicit.stat_448592698|147","text":"+# to Level of all Snipe Skills","type":"explicit"},{"id":"explicit.stat_448592698|15","text":"+# to Level of all Flameblast Skills","type":"explicit"},{"id":"explicit.stat_448592698|133","text":"+# to Level of all Shield Charge Skills","type":"explicit"},{"id":"explicit.stat_448592698|162","text":"+# to Level of all Flame Wall Skills","type":"explicit"},{"id":"explicit.stat_448592698|134","text":"+# to Level of all Enfeeble Skills","type":"explicit"},{"id":"explicit.stat_448592698|171","text":"+# to Level of all Poisonburst Arrow Skills","type":"explicit"},{"id":"explicit.stat_448592698|135","text":"+# to Level of all Armour Breaker Skills","type":"explicit"},{"id":"explicit.stat_448592698|59","text":"+# to Level of all Stormblast Bolts Skills","type":"explicit"},{"id":"explicit.stat_448592698|111","text":"+# to Level of all Snap Skills","type":"explicit"},{"id":"explicit.stat_448592698|90","text":"+# to Level of all Profane Ritual Skills","type":"explicit"},{"id":"explicit.stat_173471035","text":"Meta Skills gain #% increased Energy while on Full Mana","type":"explicit"},{"id":"explicit.stat_448592698|164","text":"+# to Level of all Rolling Slam Skills","type":"explicit"},{"id":"explicit.stat_448592698|119","text":"+# to Level of all Arctic Armour Skills","type":"explicit"},{"id":"explicit.stat_1746561819","text":"Enemies Hindered by you take #% increased Chaos Damage","type":"explicit"},{"id":"explicit.stat_448592698|152","text":"+# to Level of all Vaulting Impact Skills","type":"explicit"},{"id":"explicit.stat_448592698|54","text":"+# to Level of all Oil Grenade Skills","type":"explicit"},{"id":"explicit.stat_448592698|114","text":"+# to Level of all Molten Blast Skills","type":"explicit"},{"id":"explicit.stat_448592698|55","text":"+# to Level of all Charged Staff Skills","type":"explicit"},{"id":"explicit.stat_1633735772","text":"#% less maximum Life","type":"explicit"},{"id":"explicit.stat_448592698|82","text":"+# to Level of all Conductivity Skills","type":"explicit"},{"id":"explicit.stat_448592698|174","text":"+# to Level of all Armour Piercing Rounds Skills","type":"explicit"},{"id":"explicit.stat_448592698|47","text":"+# to Level of all Lightning Warp Skills","type":"explicit"},{"id":"explicit.stat_448592698|1","text":"+# to Level of all Cast on Critical Skills","type":"explicit"},{"id":"explicit.stat_1274947822","text":"#% less Damage","type":"explicit"},{"id":"explicit.stat_448592698|121","text":"+# to Level of all Herald of Ice Skills","type":"explicit"},{"id":"explicit.stat_2422708892|61942","text":"Passives in Radius of Lord of the Wilds can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_330530785","text":"#% increased Immobilisation buildup","type":"explicit"},{"id":"explicit.stat_448592698|168","text":"+# to Level of all Explosive Grenade Skills","type":"explicit"},{"id":"explicit.stat_448592698|35","text":"+# to Level of all Whirling Assault Skills","type":"explicit"},{"id":"explicit.stat_448592698|77","text":"+# to Level of all Leap Slam Skills","type":"explicit"},{"id":"explicit.stat_448592698|11","text":"+# to Level of all Archmage Skills","type":"explicit"},{"id":"explicit.stat_448592698|122","text":"+# to Level of all Herald of Thunder Skills","type":"explicit"},{"id":"explicit.stat_537850431","text":"#% less Spirit","type":"explicit"},{"id":"explicit.stat_448592698|129","text":"+# to Level of all Grim Feast Skills","type":"explicit"},{"id":"explicit.stat_448592698|127","text":"+# to Level of all Raging Spirits Skills","type":"explicit"},{"id":"explicit.stat_448592698|89","text":"+# to Level of all Gas Arrow Skills","type":"explicit"},{"id":"explicit.stat_1261076060","text":"#% increased Life Regeneration rate during Effect of any Life Flask","type":"explicit"},{"id":"explicit.stat_448592698|113","text":"+# to Level of all Resonating Shield Skills","type":"explicit"},{"id":"explicit.stat_448592698|57","text":"+# to Level of all Fireball Skills","type":"explicit"},{"id":"explicit.stat_448592698|51","text":"+# to Level of all Siege Ballista Skills","type":"explicit"},{"id":"explicit.stat_448592698|38","text":"+# to Level of all Shattering Palm Skills","type":"explicit"},{"id":"explicit.stat_448592698|58","text":"+# to Level of all Dark Effigy Skills","type":"explicit"},{"id":"explicit.stat_448592698|64","text":"+# to Level of all Cast on Shock Skills","type":"explicit"},{"id":"explicit.stat_2422708892|64601","text":"Passives in Radius of Hollow Palm Technique can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_448592698|123","text":"+# to Level of all Plague Bearer Skills","type":"explicit"},{"id":"explicit.stat_448592698|80","text":"+# to Level of all Flammability Skills","type":"explicit"},{"id":"explicit.stat_3418580811|24","text":"Glorifying the defilement of # souls in tribute to Amanamu\nPassives in radius are Conquered by the Abyssals\nDesecration makes this item unstable","type":"explicit"},{"id":"explicit.stat_448592698|49","text":"+# to Level of all Sunder Skills","type":"explicit"},{"id":"explicit.stat_448592698|130","text":"+# to Level of all Scavenged Plating Skills","type":"explicit"},{"id":"explicit.stat_448592698|81","text":"+# to Level of all Hypothermia Skills","type":"explicit"},{"id":"explicit.stat_448592698|61","text":"+# to Level of all Ice Shot Skills","type":"explicit"},{"id":"explicit.stat_448592698|65","text":"+# to Level of all Cast on Freeze Skills","type":"explicit"},{"id":"explicit.stat_3045154261","text":"#% less maximum Mana","type":"explicit"},{"id":"explicit.stat_448592698|66","text":"+# to Level of all Cast on Ignite Skills","type":"explicit"},{"id":"explicit.stat_448592698|91","text":"+# to Level of all Shield Wall Skills","type":"explicit"},{"id":"explicit.stat_448592698|140","text":"+# to Level of all Frostbolt Skills","type":"explicit"},{"id":"explicit.stat_448592698|25","text":"+# to Level of all Plasma Blast Skills","type":"explicit"},{"id":"explicit.stat_448592698|117","text":"+# to Level of all Galvanic Shards Skills","type":"explicit"},{"id":"explicit.stat_2975078312","text":"Abyssal Monsters grant #% increased Experience","type":"explicit"},{"id":"explicit.stat_2975078312","text":"Abyss Monsters in your Maps grant #% increased Experience","type":"explicit"},{"id":"explicit.stat_448592698|13","text":"+# to Level of all Flicker Strike Skills","type":"explicit"},{"id":"explicit.stat_448592698|107","text":"+# to Level of all Bonestorm Skills","type":"explicit"},{"id":"explicit.stat_448592698|99","text":"+# to Level of all Incinerate Skills","type":"explicit"},{"id":"explicit.stat_2422708892|11230","text":"Passives in Radius of Ritual Cadence can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_448592698|149","text":"+# to Level of all Ember Fusillade Skills","type":"explicit"},{"id":"explicit.stat_448592698|156","text":"+# to Level of all Lightning Arrow Skills","type":"explicit"},{"id":"explicit.stat_448592698|158","text":"+# to Level of all Earthquake Skills","type":"explicit"},{"id":"explicit.stat_448592698|145","text":"+# to Level of all Bone Cage Skills","type":"explicit"},{"id":"explicit.stat_448592698|23","text":"+# to Level of all Hammer of the Gods Skills","type":"explicit"},{"id":"explicit.stat_2422708892|49547","text":"Passives in Radius of Scarred Faith can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_448592698|41","text":"+# to Level of all Shockburst Rounds Skills","type":"explicit"},{"id":"explicit.stat_448592698|139","text":"+# to Level of all Essence Drain Skills","type":"explicit"},{"id":"explicit.stat_448592698|98","text":"+# to Level of all Arc Skills","type":"explicit"},{"id":"explicit.stat_2422708892|49363","text":"Passives in Radius of Wildsurge Incantation can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_2879725899","text":"#% increased Attack Damage while Surrounded","type":"explicit"},{"id":"explicit.stat_448592698|153","text":"+# to Level of all Ice Nova Skills","type":"explicit"},{"id":"explicit.stat_3418580811|28","text":"Glorifying the defilement of # souls in tribute to Ulaman\nPassives in radius are Conquered by the Abyssals\nDesecration makes this item unstable","type":"explicit"},{"id":"explicit.stat_3024873336","text":"Skills have #% chance to not remove Elemental Infusions but still count as consuming them","type":"explicit"},{"id":"explicit.stat_656291658","text":"#% increased Cast Speed when on Full Life","type":"explicit"},{"id":"explicit.stat_448592698|92","text":"+# to Level of all Explosive Shot Skills","type":"explicit"},{"id":"explicit.stat_2590797182","text":"#% increased Movement Speed Penalty from using Skills while moving","type":"explicit"},{"id":"explicit.stat_448592698|103","text":"+# to Level of all Ice Strike Skills","type":"explicit"},{"id":"explicit.stat_448592698|39","text":"+# to Level of all Stampede Skills","type":"explicit"},{"id":"explicit.stat_1316656343","text":"Small Passive Skills in Radius also grant # to maximum Life","type":"explicit"},{"id":"explicit.stat_3679418014","text":"#% of Cold Damage taken Recouped as Life","type":"explicit"},{"id":"explicit.stat_448592698|16","text":"+# to Level of all Skeletal Brute Skills","type":"explicit"},{"id":"explicit.stat_448592698|106","text":"+# to Level of all Tempest Flurry Skills","type":"explicit"},{"id":"explicit.stat_448592698|144","text":"+# to Level of all Tempest Bell Skills","type":"explicit"},{"id":"explicit.stat_359357545","text":"Enemies Hindered by you take #% increased Physical Damage","type":"explicit"},{"id":"explicit.stat_3418580811|26","text":"Glorifying the defilement of # souls in tribute to Kurgal\nPassives in radius are Conquered by the Abyssals\nDesecration makes this item unstable","type":"explicit"},{"id":"explicit.stat_3418580811|25","text":"Glorifying the defilement of # souls in tribute to Kulemak\nPassives in radius are Conquered by the Abyssals\nDesecration makes this item unstable","type":"explicit"},{"id":"explicit.stat_1103616075","text":"Break Armour equal to #% of Physical Damage dealt","type":"explicit"},{"id":"explicit.stat_448592698|3","text":"+# to Level of all Blink Skills","type":"explicit"},{"id":"explicit.stat_448592698|19","text":"+# to Level of all Lightning Conduit Skills","type":"explicit"},{"id":"explicit.stat_1294464552","text":"Small Passive Skills in Radius also grant # to maximum Mana","type":"explicit"},{"id":"explicit.stat_448592698|34","text":"+# to Level of all Hexblast Skills","type":"explicit"},{"id":"explicit.stat_3593401321","text":"Hits have #% chance to treat Enemy Monster Elemental Resistance values as inverted","type":"explicit"},{"id":"explicit.stat_3950000557","text":"#% chance for Mace Slam Skills you use yourself to cause an additional Aftershock","type":"explicit"},{"id":"explicit.stat_3063814459","text":"Pin Enemies which are Primed for Pinning","type":"explicit"},{"id":"explicit.stat_1345486764","text":"+1 to Maximum Spirit per # Maximum Life","type":"explicit"},{"id":"explicit.stat_233359425","text":"+# maximum Rage for each time you've used a Skill that Requires Glory in the past 6 seconds, up to 5 times","type":"explicit"},{"id":"explicit.stat_1751584857","text":"Monsters inflict # Grasping Vine on Hit","type":"explicit"},{"id":"explicit.stat_448592698|21","text":"+# to Level of all Ancestral Warrior Totem Skills","type":"explicit"},{"id":"explicit.stat_1793740180","text":"Gain Physical Thorns damage equal to #% of Item Armour on Equipped Body Armour","type":"explicit"},{"id":"explicit.stat_2189073790","text":"Projectiles have #% chance to Fork if you've dealt a Melee Hit in the past eight seconds","type":"explicit"},{"id":"explicit.stat_160888068","text":"Notable Passive Skills in Radius also grant #% increased maximum Life","type":"explicit"},{"id":"explicit.stat_346374719","text":"Recover #% of maximum Mana when you consume a Power Charge","type":"explicit"},{"id":"explicit.stat_3507701584","text":"# to Level of Vulnerability Skills","type":"explicit"},{"id":"explicit.stat_2422708892|42680","text":"Passives in Radius of Blackflame Covenant can be Allocated\nwithout being connected to your tree","type":"explicit"},{"id":"explicit.stat_448592698|160","text":"+# to Level of all Skeletal Sniper Skills","type":"explicit"},{"id":"explicit.stat_2479683456","text":"Minions Regenerate #% of maximum Life per second","type":"explicit"},{"id":"explicit.stat_3143918757","text":"#% increased Glory generation","type":"explicit"},{"id":"explicit.stat_2710292678","text":"#% chance that if you would gain Rage on Hit, you instead gain up to your maximum Rage","type":"explicit"},{"id":"explicit.stat_448592698|50","text":"+# to Level of all Skeletal Reaver Skills","type":"explicit"},{"id":"explicit.stat_448592698|126","text":"+# to Level of all Magma Barrier Skills","type":"explicit"},{"id":"explicit.stat_1119086588","text":"Conquered Attribute Passive Skills also grant # to Tribute","type":"explicit"},{"id":"explicit.stat_448592698|37","text":"+# to Level of all Comet Skills","type":"explicit"},{"id":"explicit.stat_2083058281","text":"Enemies you Mark take #% increased Damage","type":"explicit"},{"id":"explicit.stat_1443457598","text":"Natural Rare Monsters in Area are in a Union of Souls with the Map Boss","type":"explicit"},{"id":"explicit.stat_448592698|136","text":"+# to Level of all Shockwave Totem Skills","type":"explicit"},{"id":"explicit.stat_4163076972","text":"No Inherent loss of Rage","type":"explicit"},{"id":"explicit.stat_2970621759","text":"#% of Lightning Damage taken Recouped as Life","type":"explicit"},{"id":"explicit.stat_2853314994","text":"Regenerate # Rage per second","type":"explicit"},{"id":"explicit.stat_3076483222|38303","text":"Sacrifice up to 20 Arcanist's Etchers to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_2116424886","text":"#% increased Life Regeneration Rate while moving","type":"explicit"},{"id":"explicit.stat_3076483222|19854","text":"Sacrifice up to 3 Orb of Annulments to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_3191479793","text":"Offering Skills have #% increased Buff effect","type":"explicit"},{"id":"explicit.stat_4033618138","text":"Recover #% of Maximum Life when you expend at least 10 Combo","type":"explicit"},{"id":"explicit.stat_2552484522","text":"Conquered Attribute Passive Skills also grant # to all Attributes","type":"explicit"},{"id":"explicit.stat_2991045011","text":"Recover #% of Maximum Mana when you expend at least 10 Combo","type":"explicit"},{"id":"explicit.stat_3076483222|45026","text":"Sacrifice up to 3 Orbs of Chance to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_448592698|141","text":"+# to Level of all Skeletal Arsonist Skills","type":"explicit"},{"id":"explicit.stat_3116427713","text":"Conquered Attribute Passive Skills also grant # to Intelligence","type":"explicit"},{"id":"explicit.stat_3839676903","text":"#% reduced Slowing Potency of Debuffs on You if you've used a Charm Recently","type":"explicit"},{"id":"explicit.stat_1691403182","text":"Minions have #% increased Cooldown Recovery Rate","type":"explicit"},{"id":"explicit.stat_300107724","text":"Possessed by Spirit Of The Owl for # seconds on use","type":"explicit"},{"id":"explicit.stat_3871530702","text":"Conquered Attribute Passive Skills also grant # to Strength","type":"explicit"},{"id":"explicit.stat_448592698|32","text":"+# to Level of all Skeletal Storm Mage Skills","type":"explicit"},{"id":"explicit.stat_1685559578","text":"Possessed by Spirit Of The Boar for # seconds on use","type":"explicit"},{"id":"explicit.stat_287294012","text":"# to # Fire Thorns damage per 100 maximum Life","type":"explicit"},{"id":"explicit.stat_448592698|161","text":"+# to Level of all Skeletal Sniper Skills","type":"explicit"},{"id":"explicit.stat_448592698|101","text":"+# to Level of all Skeletal Frost Mage Skills","type":"explicit"},{"id":"explicit.stat_3181677174","text":"Possessed by Spirit Of The Serpent for # seconds on use","type":"explicit"},{"id":"explicit.stat_2839557359","text":"Possessed by Spirit Of The Cat for # seconds on use","type":"explicit"},{"id":"explicit.stat_2250681686","text":"Grenade Skills have +# Cooldown Use","type":"explicit"},{"id":"explicit.stat_1365079333","text":"Players steal the Eaten Souls of Slain Rare Monsters in Area","type":"explicit"},{"id":"explicit.stat_1266185101","text":"Natural Rare Monsters in Area Eat the Souls of slain Monsters in their Presence","type":"explicit"},{"id":"explicit.stat_1099200124","text":"Gain a Power Charge every Second if you haven't lost Power Charges Recently","type":"explicit"},{"id":"explicit.stat_3763491818","text":"Possessed by Spirit Of The Primate for # seconds on use","type":"explicit"},{"id":"explicit.stat_3463873033","text":"Possessed by Spirit Of The Ox for # seconds on use","type":"explicit"},{"id":"explicit.stat_3403424702","text":"Possessed by Spirit Of The Bear for # seconds on use","type":"explicit"},{"id":"explicit.stat_3685424517","text":"Possessed by Spirit Of The Stag for # seconds on use","type":"explicit"},{"id":"explicit.stat_448592698|154","text":"+# to Level of all Spark Skills","type":"explicit"},{"id":"explicit.stat_3038857426","text":"Conquered Small Passive Skills also grant #% increased Spell damage","type":"explicit"},{"id":"explicit.stat_3076483222|136","text":"Sacrifice up to 20 Glassblower's Baubles to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_4240116297","text":"Conquered Small Passive Skills also grant #% increased Elemental Damage","type":"explicit"},{"id":"explicit.stat_569299859","text":"#% to all maximum Resistances","type":"explicit"},{"id":"explicit.stat_3190283174","text":"Area has patches of Mana Siphoning Ground","type":"explicit"},{"id":"explicit.stat_448592698|194","text":"+# to Level of all Spear of Solaris Skills","type":"explicit"},{"id":"explicit.stat_3504441212","text":"Possessed by Spirit Of The Wolf for # seconds on use","type":"explicit"},{"id":"explicit.stat_2723294374","text":"Attacks have added Physical damage equal to #% of maximum Life","type":"explicit"},{"id":"explicit.stat_85367160","text":"Notable Passive Skills in Radius also grant #% of Damage taken Recouped as Mana","type":"explicit"},{"id":"explicit.stat_1586136369","text":"#% increased Evasion Rating while Sprinting","type":"explicit"},{"id":"explicit.stat_3076483222|53954","text":"Sacrifice up to 10 Gemcutter's Prisms to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_448592698|185","text":"+# to Level of all Thunderous Leap Skills","type":"explicit"},{"id":"explicit.stat_448592698|203","text":"+# to Level of all Cull The Weak Skills","type":"explicit"},{"id":"explicit.stat_448592698|190","text":"+# to Level of all Wind Serpent's Fury Skills","type":"explicit"},{"id":"explicit.stat_448592698|177","text":"+# to Level of all Disengage Skills","type":"explicit"},{"id":"explicit.stat_448592698|195","text":"+# to Level of all Storm Lance Skills","type":"explicit"},{"id":"explicit.stat_3831171903|2","text":"Giant's Blood","type":"explicit"},{"id":"explicit.stat_3831171903|12","text":"Necromantic Talisman","type":"explicit"},{"id":"explicit.stat_4274247770","text":"Players have #% more Movement and Skill Speed for each time they've used a Skill Recently","type":"explicit"},{"id":"explicit.stat_2408625104","text":"Players and their Minions deal no damage for 3 out of every 10 seconds","type":"explicit"},{"id":"explicit.stat_448592698|187","text":"+# to Level of all Whirlwind Lance Skills","type":"explicit"},{"id":"explicit.stat_4257790560","text":"Notable Passive Skills in Radius also grant #% increased Mana Cost Efficiency","type":"explicit"},{"id":"explicit.stat_4266776872","text":"Glancing Blows","type":"explicit"},{"id":"explicit.stat_448592698|199","text":"+# to Level of all Herald of Blood Skills","type":"explicit"},{"id":"explicit.stat_2399592398","text":"Abysses lead to an Abyssal Boss","type":"explicit"},{"id":"explicit.stat_448592698|202","text":"+# to Level of all Convalescence Skills","type":"explicit"},{"id":"explicit.stat_448592698|189","text":"+# to Level of all Fangs of Frost Skills","type":"explicit"},{"id":"explicit.stat_448592698|179","text":"+# to Level of all Whirling Slash Skills","type":"explicit"},{"id":"explicit.stat_448592698|178","text":"+# to Level of all Blood Hunt Skills","type":"explicit"},{"id":"explicit.stat_448592698|188","text":"+# to Level of all Primal Strikes Skills","type":"explicit"},{"id":"explicit.stat_448592698|197","text":"+# to Level of all Trinity Skills","type":"explicit"},{"id":"explicit.stat_448592698|182","text":"+# to Level of all Glacial Lance Skills","type":"explicit"},{"id":"explicit.stat_448592698|198","text":"+# to Level of all Trail of Caltrops Skills","type":"explicit"},{"id":"explicit.stat_3831171903|19","text":"Oasis","type":"explicit"},{"id":"explicit.stat_448592698|196","text":"+# to Level of all Elemental Sundering Skills","type":"explicit"},{"id":"explicit.stat_448592698|192","text":"+# to Level of all Bloodhound's Mark Skills","type":"explicit"},{"id":"explicit.stat_448592698|209","text":"+# to Level of all Toxic Domain Skills","type":"explicit"},{"id":"explicit.stat_3831171903|22","text":"Glancing Blows","type":"explicit"},{"id":"explicit.stat_3831171903|6","text":"Resolute Technique","type":"explicit"},{"id":"explicit.stat_3831171903|7","text":"Pain Attunement","type":"explicit"},{"id":"explicit.stat_3831171903|30","text":"Scarred Faith","type":"explicit"},{"id":"explicit.stat_3831171903|13","text":"Conduit","type":"explicit"},{"id":"explicit.stat_3831171903|32","text":"Wildsurge Incantation","type":"explicit"},{"id":"explicit.stat_3566150527","text":"Notable Passive Skills in Radius also grant Regenerate #% of maximum Life per second","type":"explicit"},{"id":"explicit.stat_2135541924","text":"Notable Passive Skills in Radius also grant Hits have #% increased Critical Hit Chance against you","type":"explicit"},{"id":"explicit.stat_448592698|184","text":"+# to Level of all Explosive Spear Skills","type":"explicit"},{"id":"explicit.stat_448592698|213","text":"+# to Level of all Mirage Archer Skills","type":"explicit"},{"id":"explicit.stat_448592698|208","text":"+# to Level of all Ancestral Cry Skills","type":"explicit"},{"id":"explicit.stat_3537994888","text":"#% chance when you gain a Power Charge to gain an additional Power Charge","type":"explicit"},{"id":"explicit.stat_3831171903|4","text":"Avatar of Fire","type":"explicit"},{"id":"explicit.stat_3831171903|18","text":"Heartstopper","type":"explicit"},{"id":"explicit.stat_3831171903|15","text":"Eternal Youth","type":"explicit"},{"id":"explicit.stat_23669307","text":"#% increased Critical Damage Bonus if you've consumed a Power Charge Recently","type":"explicit"},{"id":"explicit.stat_3831171903|8","text":"Chaos Inoculation","type":"explicit"},{"id":"explicit.stat_2780670304","text":"Conquered Small Passive Skills also grant #% increased Energy Shield","type":"explicit"},{"id":"explicit.stat_3831171903|11","text":"Whispers of Doom","type":"explicit"},{"id":"explicit.stat_448592698|204","text":"+# to Level of all Ravenous Swarm Skills","type":"explicit"},{"id":"explicit.stat_3831171903|29","text":"Ritual Cadence","type":"explicit"},{"id":"explicit.stat_3831171903|1","text":"Ancestral Bond","type":"explicit"},{"id":"explicit.stat_448592698|226","text":"+# to Level of all Spell Totem Skills","type":"explicit"},{"id":"explicit.stat_3872306017","text":"#% increased Power Charge Duration","type":"explicit"},{"id":"explicit.stat_3831171903|16","text":"Primal Hunger","type":"explicit"},{"id":"explicit.stat_3470876581","text":"# to Evasion Rating while on Low Life","type":"explicit"},{"id":"explicit.stat_448592698|234","text":"+# to Level of all Devour Skills","type":"explicit"},{"id":"explicit.stat_3831171903|23","text":"Elemental Equilibrium","type":"explicit"},{"id":"explicit.stat_3831171903|28","text":"Blackflame Covenant","type":"explicit"},{"id":"explicit.stat_448592698|176","text":"+# to Level of all Rapid Assault Skills","type":"explicit"},{"id":"explicit.stat_3831171903|24","text":"Bulwark","type":"explicit"},{"id":"explicit.stat_3831171903|31","text":"Lord of the Wilds","type":"explicit"},{"id":"explicit.stat_448592698|206","text":"+# to Level of all Fortifying Cry Skills","type":"explicit"},{"id":"explicit.stat_3831171903|25","text":"Trusted Kinship","type":"explicit"},{"id":"explicit.stat_448592698|210","text":"+# to Level of all Ice-Tipped Arrows Skills","type":"explicit"},{"id":"explicit.stat_3831171903|17","text":"Dance With Death","type":"explicit"},{"id":"explicit.stat_3076483222|61382","text":"Sacrifice up to 3 Divine Orbs to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_448592698|201","text":"+# to Level of all Tamed Companion Skills","type":"explicit"},{"id":"explicit.stat_448592698|212","text":"+# to Level of all Mortar Cannon Skills","type":"explicit"},{"id":"explicit.stat_448592698|225","text":"+# to Level of all Ferocious Roar Skills","type":"explicit"},{"id":"explicit.stat_3831171903|20","text":"Vaal Pact","type":"explicit"},{"id":"explicit.stat_448592698|207","text":"+# to Level of all Forge Hammer Skills","type":"explicit"},{"id":"explicit.stat_448592698|218","text":"+# to Level of all Tornado Skills","type":"explicit"},{"id":"explicit.stat_448592698|214","text":"+# to Level of all Siphon Elements Skills","type":"explicit"},{"id":"explicit.stat_448592698|211","text":"+# to Level of all Frost Darts Skills","type":"explicit"},{"id":"explicit.stat_2558253923","text":"Hits with this Weapon have Culling Strike against Bleeding Enemies","type":"explicit"},{"id":"explicit.stat_448592698|237","text":"+# to Level of all Arctic Howl Skills","type":"explicit"},{"id":"explicit.stat_3831171903|33","text":"Zealot's Oath","type":"explicit"},{"id":"explicit.stat_8816597","text":"Conquered Small Passive Skills also grant #% increased Attack damage","type":"explicit"},{"id":"explicit.stat_2839036860","text":"#% increased Endurance, Frenzy and Power Charge Duration","type":"explicit"},{"id":"explicit.stat_3831171903|21","text":"Iron Reflexes","type":"explicit"},{"id":"explicit.stat_1829333149","text":"Conquered Small Passive Skills also grant #% increased Physical damage","type":"explicit"},{"id":"explicit.stat_448592698|228","text":"+# to Level of all Oil Barrage Skills","type":"explicit"},{"id":"explicit.stat_3831171903|27","text":"Hollow Palm Technique","type":"explicit"},{"id":"explicit.stat_448592698|231","text":"+# to Level of all Fury of the Mountain Skills","type":"explicit"},{"id":"explicit.stat_1689748350","text":"Hits with Shield Skills which Heavy Stun enemies break fully Break Armour","type":"explicit"},{"id":"explicit.stat_448592698|239","text":"+# to Level of all Eternal Rage Skills","type":"explicit"},{"id":"explicit.stat_448592698|241","text":"+# to Level of all Walking Calamity Skills","type":"explicit"},{"id":"explicit.stat_448592698|180","text":"+# to Level of all Spearfield Skills","type":"explicit"},{"id":"explicit.stat_3831171903|26","text":"Crimson Assault","type":"explicit"},{"id":"explicit.stat_448592698|217","text":"+# to Level of all Rolling Magma Skills","type":"explicit"},{"id":"explicit.stat_448592698|221","text":"+# to Level of all Pounce Skills","type":"explicit"},{"id":"explicit.stat_448592698|242","text":"+# to Level of all Barkskin Skills","type":"explicit"},{"id":"explicit.stat_448592698|240","text":"+# to Level of all Savage Fury Skills","type":"explicit"},{"id":"explicit.stat_448592698|243","text":"+# to Level of all Feral Invocation Skills","type":"explicit"},{"id":"explicit.stat_448592698|191","text":"+# to Level of all Rake Skills","type":"explicit"},{"id":"explicit.stat_3831171903|9","text":"Eldritch Battery","type":"explicit"},{"id":"explicit.stat_448592698|219","text":"+# to Level of all Volcano Skills","type":"explicit"},{"id":"explicit.stat_448592698|238","text":"+# to Level of all Briarpatch Skills","type":"explicit"},{"id":"explicit.stat_448592698|183","text":"+# to Level of all Twister Skills","type":"explicit"},{"id":"explicit.stat_1138742368","text":"Increases and Reductions to Light Radius also apply to Area of Effect at #% of their value","type":"explicit"},{"id":"explicit.stat_448592698|205","text":"+# to Level of all Iron Ward Skills","type":"explicit"},{"id":"explicit.stat_448592698|227","text":"+# to Level of all Wing Blast Skills","type":"explicit"},{"id":"explicit.stat_448592698|223","text":"+# to Level of all Thunderstorm Skills","type":"explicit"},{"id":"explicit.stat_448592698|232","text":"+# to Level of all Cross Slash Skills","type":"explicit"},{"id":"explicit.stat_448592698|181","text":"+# to Level of all Lightning Spear Skills","type":"explicit"},{"id":"explicit.stat_448592698|236","text":"+# to Level of all Lunar Blessing Skills","type":"explicit"},{"id":"explicit.stat_3831171903|5","text":"Blood Magic","type":"explicit"},{"id":"explicit.stat_3602667353","text":"#% chance to inflict Exposure on Hit","type":"explicit"},{"id":"explicit.stat_448592698|220","text":"+# to Level of all Wolf Pack Skills","type":"explicit"},{"id":"explicit.stat_448592698|200","text":"+# to Level of all Summon Spectre Skills","type":"explicit"},{"id":"explicit.stat_448592698|233","text":"+# to Level of all Lunar Assault Skills","type":"explicit"},{"id":"explicit.stat_4225700219","text":"Notable Passive Skills in Radius also grant #% chance to gain Volatility on Kill","type":"explicit"},{"id":"explicit.stat_3831171903|3","text":"Unwavering Stance","type":"explicit"},{"id":"explicit.stat_1034611536","text":"Notable Passive Skills in Radius also grant Charms gain # charges per Second","type":"explicit"},{"id":"explicit.stat_448592698|224","text":"+# to Level of all Furious Slam Skills","type":"explicit"},{"id":"explicit.stat_448592698|215","text":"+# to Level of all Cast on Elemental Ailment Skills","type":"explicit"},{"id":"explicit.stat_1938221597","text":"Conquered Attribute Passive Skills also grant # to Dexterity","type":"explicit"},{"id":"explicit.stat_2601021356","text":"Conquered Small Passive Skills also grant #% increased Chaos damage","type":"explicit"},{"id":"explicit.stat_3831171903|10","text":"Mind Over Matter","type":"explicit"},{"id":"explicit.stat_3831171903|14","text":"Resonance","type":"explicit"},{"id":"explicit.stat_448592698|229","text":"+# to Level of all Flame Breath Skills","type":"explicit"},{"id":"explicit.stat_3343033032","text":"Conquered Small Passive Skills also grant Minions deal #% increased damage","type":"explicit"},{"id":"explicit.stat_4264952559","text":"Conquered Small Passive Skills also grant #% increased Life Regeneration rate","type":"explicit"},{"id":"explicit.stat_3694078435","text":"You take #% of damage from Blocked Hits with a raised Shield","type":"explicit"},{"id":"explicit.stat_321970274","text":"#% of Physical Damage taken as Lightning while your Shield is raised","type":"explicit"},{"id":"explicit.stat_2942439603","text":"Skills have #% chance to not remove Charges but still count as consuming them","type":"explicit"},{"id":"explicit.stat_448592698|244","text":"+# to Level of all Living Bomb Skills","type":"explicit"},{"id":"explicit.stat_1148433552","text":"Notable Passive Skills in Radius also grant Life Flasks gain # charges per Second","type":"explicit"},{"id":"explicit.stat_3128077011","text":"#% increased Effect of Jewel Socket Passive Skills\ncontaining Corrupted Rare Jewels","type":"explicit"},{"id":"explicit.stat_3910614548","text":"#% increased Attack and Cast Speed if you've summoned a Totem Recently","type":"explicit"},{"id":"explicit.stat_448592698|216","text":"+# to Level of all Elemental Weakness Skills","type":"explicit"},{"id":"explicit.stat_504210122","text":"#% chance to gain an additional random Charge when you gain a Charge","type":"explicit"},{"id":"explicit.stat_3076483222|8084","text":"Sacrifice up to 10 Greater Exalted Orbs to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_3076483222|30874","text":"Sacrifice up to 10 Greater Regal Orbs to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_3939216292","text":"Notable Passive Skills in Radius also grant Mana Flasks gain # charges per Second","type":"explicit"},{"id":"explicit.stat_886088880","text":"Your Heavy Stun buildup empties #% faster","type":"explicit"},{"id":"explicit.stat_2357996603","text":"#% increased Totem Duration","type":"explicit"},{"id":"explicit.stat_2408276841","text":"#% increased Energy Shield Recharge Rate per 4 Strength","type":"explicit"},{"id":"explicit.stat_448592698|235","text":"+# to Level of all Thrashing Vines Skills","type":"explicit"},{"id":"explicit.stat_1818915622","text":"Conquered Small Passive Skills also grant #% increased Mana Regeneration rate","type":"explicit"},{"id":"explicit.stat_448592698|186","text":"+# to Level of all Herald of Blood Skills","type":"explicit"},{"id":"explicit.stat_448592698|222","text":"+# to Level of all Rampage Skills","type":"explicit"},{"id":"explicit.stat_2535713562","text":"Recover #% of maximum Life per Poison affecting Enemies you Kill","type":"explicit"},{"id":"explicit.stat_2639983772","text":"#% increased Totem Damage per Curse on you","type":"explicit"},{"id":"explicit.stat_2954116742|30132","text":"Allocates Wrapped Quiver","type":"explicit"},{"id":"explicit.stat_3076483222|42106","text":"Sacrifice up to 5 Greater Chaos Orbs to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_2954116742|50562","text":"Allocates Barbaric Strength","type":"explicit"},{"id":"explicit.stat_3481736410","text":"#% increased Area of Effect if you've Killed Recently","type":"explicit"},{"id":"explicit.stat_302024054","text":"Regenerate #% of maximum Life per second while Ignited","type":"explicit"},{"id":"explicit.stat_2954116742|27303","text":"Allocates Vulgar Methods","type":"explicit"},{"id":"explicit.stat_1245896889","text":"Life Recovery from Flasks can Overflow Maximum Life","type":"explicit"},{"id":"explicit.stat_1283490138","text":"Conquered Small Passive Skills also grant #% increased Elemental Ailment Threshold","type":"explicit"},{"id":"explicit.stat_970480050","text":"Conquered Small Passive Skills also grant #% increased Armour","type":"explicit"},{"id":"explicit.stat_1394184789","text":"Remove Bleeding when you use a Life Flask","type":"explicit"},{"id":"explicit.stat_1617268696","text":"Burning Enemies you kill have a #% chance to Explode, dealing a\ntenth of their maximum Life as Fire Damage","type":"explicit"},{"id":"explicit.stat_2954116742|57388","text":"Allocates Overwhelming Strike","type":"explicit"},{"id":"explicit.stat_2954116742|7809","text":"Allocates Wild Storm","type":"explicit"},{"id":"explicit.stat_2954116742|38535","text":"Allocates Stormcharged","type":"explicit"},{"id":"explicit.stat_2954116742|56776","text":"Allocates Cooked","type":"explicit"},{"id":"explicit.stat_3841138199","text":"#% increased Duration of Poisons you inflict when you've consumed a Frenzy Charge Recently","type":"explicit"},{"id":"explicit.stat_2954116742|26107","text":"Allocates Kite Runner","type":"explicit"},{"id":"explicit.stat_448592698|193","text":"+# to Level of all Tamed Companion Skills","type":"explicit"},{"id":"explicit.stat_448592698|230","text":"+# to Level of all Entangle Skills","type":"explicit"},{"id":"explicit.stat_2122183138","text":"# Mana gained when you Block","type":"explicit"},{"id":"explicit.stat_2954116742|28975","text":"Allocates Pure Power","type":"explicit"},{"id":"explicit.stat_468694293","text":"Conquered Small Passive Skills also grant #% increased Evasion Rating","type":"explicit"},{"id":"explicit.stat_2954116742|62230","text":"Allocates Patient Barrier","type":"explicit"},{"id":"explicit.stat_120969026","text":"#% increased Magnitude of Poison you inflict while Poisoned","type":"explicit"},{"id":"explicit.stat_3190121041","text":"#% of Volatility Physical Damage Taken as Cold Damage","type":"explicit"},{"id":"explicit.stat_2954116742|55193","text":"Allocates Subterfuge Mask","type":"explicit"},{"id":"explicit.stat_2475870935","text":"Conquered Small Passive Skills also grant #% increased Stun Threshold","type":"explicit"},{"id":"explicit.stat_2954116742|16618","text":"Allocates Jack of all Trades","type":"explicit"},{"id":"explicit.stat_2954116742|8827","text":"Allocates Fast Metabolism","type":"explicit"},{"id":"explicit.stat_1913583994","text":"#% increased Monster Attack Speed","type":"explicit"},{"id":"explicit.stat_2306522833","text":"#% increased Monster Movement Speed","type":"explicit"},{"id":"explicit.stat_2488361432","text":"#% increased Monster Cast Speed","type":"explicit"},{"id":"explicit.stat_2954116742|32976","text":"Allocates Gem Enthusiast","type":"explicit"},{"id":"explicit.stat_1133965702","text":"#% increased Gold found in this Area","type":"explicit"},{"id":"explicit.stat_1133965702","text":"#% increased Gold found in your Maps","type":"explicit"},{"id":"explicit.stat_2954116742|31172","text":"Allocates Falcon Technique","type":"explicit"},{"id":"explicit.stat_2954116742|44566","text":"Allocates Lightning Rod","type":"explicit"},{"id":"explicit.stat_2954116742|60034","text":"Allocates Falcon Dive","type":"explicit"},{"id":"explicit.stat_1079292660","text":"#% increased Energy Shield Recharge Rate if you've Blocked Recently","type":"explicit"},{"id":"explicit.stat_2954116742|65204","text":"Allocates Overflowing Power","type":"explicit"},{"id":"explicit.stat_2954116742|40990","text":"Allocates Exposed to the Storm","type":"explicit"},{"id":"explicit.stat_2954116742|34473","text":"Allocates Spaghettification","type":"explicit"},{"id":"explicit.stat_2954116742|49618","text":"Allocates Deadly Flourish","type":"explicit"},{"id":"explicit.stat_2954116742|43082","text":"Allocates Acceleration","type":"explicit"},{"id":"explicit.stat_2954116742|5802","text":"Allocates Stand and Deliver","type":"explicit"},{"id":"explicit.stat_2954116742|56265","text":"Allocates Throatseeker","type":"explicit"},{"id":"explicit.stat_2954116742|13738","text":"Allocates Lightning Quick","type":"explicit"},{"id":"explicit.stat_3076483222|51981","text":"Sacrifice up to 3 Perfect Regal Orbs to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_2954116742|22864","text":"Allocates Tainted Strike","type":"explicit"},{"id":"explicit.stat_2954116742|39881","text":"Allocates Staggering Palm","type":"explicit"},{"id":"explicit.stat_3423006863","text":"Arrows Pierce an additional Target","type":"explicit"},{"id":"explicit.stat_2954116742|19125","text":"Allocates Potent Incantation","type":"explicit"},{"id":"explicit.stat_2954116742|55149","text":"Allocates Pure Chaos","type":"explicit"},{"id":"explicit.stat_2954116742|58016","text":"Allocates All Natural","type":"explicit"},{"id":"explicit.stat_2954116742|1546","text":"Allocates Spiral into Depression","type":"explicit"},{"id":"explicit.stat_2954116742|45599","text":"Allocates Lay Siege","type":"explicit"},{"id":"explicit.stat_2954116742|116","text":"Allocates Insightfulness","type":"explicit"},{"id":"explicit.stat_2954116742|13724","text":"Allocates Deadly Force","type":"explicit"},{"id":"explicit.stat_2954116742|20677","text":"Allocates For the Jugular","type":"explicit"},{"id":"explicit.stat_2954116742|13407","text":"Allocates Heartbreaking","type":"explicit"},{"id":"explicit.stat_2954116742|44330","text":"Allocates Coated Arms","type":"explicit"},{"id":"explicit.stat_2954116742|28044","text":"Allocates Coming Calamity","type":"explicit"},{"id":"explicit.stat_2954116742|57204","text":"Allocates Critical Exploit","type":"explicit"},{"id":"explicit.stat_2954116742|21380","text":"Allocates Preemptive Strike","type":"explicit"},{"id":"explicit.stat_2954116742|3567","text":"Allocates Raw Mana","type":"explicit"},{"id":"explicit.stat_2954116742|57379","text":"Allocates In Your Face","type":"explicit"},{"id":"explicit.stat_2954116742|3985","text":"Allocates Forces of Nature","type":"explicit"},{"id":"explicit.stat_2954116742|6178","text":"Allocates Power Shots","type":"explicit"},{"id":"explicit.stat_2954116742|9020","text":"Allocates Giantslayer","type":"explicit"},{"id":"explicit.stat_2954116742|16816","text":"Allocates Pinpoint Shot","type":"explicit"},{"id":"explicit.stat_2954116742|41512","text":"Allocates Heavy Weaponry","type":"explicit"},{"id":"explicit.stat_2954116742|23939","text":"Allocates Glazed Flesh","type":"explicit"},{"id":"explicit.stat_2954116742|10423","text":"Allocates Exposed to the Inferno","type":"explicit"},{"id":"explicit.stat_2954116742|47635","text":"Allocates Overload","type":"explicit"},{"id":"explicit.stat_2954116742|5728","text":"Allocates Ancient Aegis","type":"explicit"},{"id":"explicit.stat_2954116742|14294","text":"Allocates Sacrificial Blood","type":"explicit"},{"id":"explicit.stat_2954116742|6229","text":"Allocates Push the Advantage","type":"explicit"},{"id":"explicit.stat_2954116742|17340","text":"Allocates Adrenaline Rush","type":"explicit"},{"id":"explicit.stat_2954116742|21935","text":"Allocates Calibration","type":"explicit"},{"id":"explicit.stat_2954116742|63074","text":"Allocates Dark Entries","type":"explicit"},{"id":"explicit.stat_2954116742|38969","text":"Allocates Finesse","type":"explicit"},{"id":"explicit.stat_2954116742|41580","text":"Allocates Maiming Strike","type":"explicit"},{"id":"explicit.stat_2954116742|58183","text":"Allocates Blood Tearing","type":"explicit"},{"id":"explicit.stat_2954116742|25362","text":"Allocates Chakra of Impact","type":"explicit"},{"id":"explicit.stat_2954116742|36085","text":"Allocates Serrated Edges","type":"explicit"},{"id":"explicit.stat_2954116742|61601","text":"Allocates True Strike","type":"explicit"},{"id":"explicit.stat_2103621252","text":"Eat a Soul when you Hit a Unique Enemy, no more than once every second","type":"explicit"},{"id":"explicit.stat_2954116742|60404","text":"Allocates Perfect Opportunity","type":"explicit"},{"id":"explicit.stat_2954116742|40399","text":"Allocates Energise","type":"explicit"},{"id":"explicit.stat_2954116742|8273","text":"Allocates Endless Circuit","type":"explicit"},{"id":"explicit.stat_2954116742|64240","text":"Allocates Battle Fever","type":"explicit"},{"id":"explicit.stat_2954116742|56063","text":"Allocates Lingering Horror","type":"explicit"},{"id":"explicit.stat_2954116742|28267","text":"Allocates Desensitisation","type":"explicit"},{"id":"explicit.stat_2954116742|46060","text":"Allocates Voracious","type":"explicit"},{"id":"explicit.stat_2954116742|39369","text":"Allocates Struck Through","type":"explicit"},{"id":"explicit.stat_2954116742|61338","text":"Allocates Breath of Lightning","type":"explicit"},{"id":"explicit.stat_2954116742|22811","text":"Allocates The Wild Cat","type":"explicit"},{"id":"explicit.stat_2954116742|49150","text":"Allocates Precise Invocations","type":"explicit"},{"id":"explicit.stat_2954116742|17854","text":"Allocates Escape Velocity","type":"explicit"},{"id":"explicit.stat_2954116742|28963","text":"Allocates Chakra of Rhythm","type":"explicit"},{"id":"explicit.stat_2954116742|34324","text":"Allocates Spectral Ward","type":"explicit"},{"id":"explicit.stat_2954116742|58096","text":"Allocates Lasting Incantations","type":"explicit"},{"id":"explicit.stat_2954116742|3688","text":"Allocates Dynamism","type":"explicit"},{"id":"explicit.stat_2954116742|38537","text":"Allocates Heartstopping","type":"explicit"},{"id":"explicit.stat_2954116742|7777","text":"Allocates Breaking Point","type":"explicit"},{"id":"explicit.stat_2954116742|45013","text":"Allocates Finishing Blows","type":"explicit"},{"id":"explicit.stat_2954116742|2134","text":"Allocates Toxic Tolerance","type":"explicit"},{"id":"explicit.stat_2954116742|17548","text":"Allocates Moment of Truth","type":"explicit"},{"id":"explicit.stat_2954116742|46197","text":"Allocates Careful Assassin","type":"explicit"},{"id":"explicit.stat_3471443885","text":"#% of Damage taken from Deflected Hits Recouped as Life","type":"explicit"},{"id":"explicit.stat_2954116742|17725","text":"Allocates Bonded Precision","type":"explicit"},{"id":"explicit.stat_2954116742|25513","text":"Allocates Overwhelm","type":"explicit"},{"id":"explicit.stat_2954116742|30523","text":"Allocates Dead can Dance","type":"explicit"},{"id":"explicit.stat_2954116742|934","text":"Allocates Natural Immunity","type":"explicit"},{"id":"explicit.stat_2954116742|5703","text":"Allocates Echoing Thunder","type":"explicit"},{"id":"explicit.stat_2954116742|10873","text":"Allocates Bestial Rage","type":"explicit"},{"id":"explicit.stat_2954116742|52191","text":"Allocates Event Horizon","type":"explicit"},{"id":"explicit.stat_2954116742|3894","text":"Allocates Eldritch Will","type":"explicit"},{"id":"explicit.stat_2954116742|41033","text":"Allocates Utmost Offering","type":"explicit"},{"id":"explicit.stat_2954116742|10398","text":"Allocates Sudden Escalation","type":"explicit"},{"id":"explicit.stat_2954116742|3492","text":"Allocates Void","type":"explicit"},{"id":"explicit.stat_2954116742|16466","text":"Allocates Mental Alacrity","type":"explicit"},{"id":"explicit.stat_2954116742|48581","text":"Allocates Exploit the Elements","type":"explicit"},{"id":"explicit.stat_2954116742|58426","text":"Allocates Pocket Sand","type":"explicit"},{"id":"explicit.stat_2954116742|4238","text":"Allocates Versatile Arms","type":"explicit"},{"id":"explicit.stat_2954116742|20916","text":"Allocates Blinding Strike","type":"explicit"},{"id":"explicit.stat_2954116742|32071","text":"Allocates Primal Growth","type":"explicit"},{"id":"explicit.stat_2954116742|23736","text":"Allocates Spray and Pray","type":"explicit"},{"id":"explicit.stat_2954116742|60764","text":"Allocates Feathered Fletching","type":"explicit"},{"id":"explicit.stat_2954116742|13895","text":"Allocates Precise Point","type":"explicit"},{"id":"explicit.stat_2954116742|5284","text":"Allocates Shredding Force","type":"explicit"},{"id":"explicit.stat_2954116742|19955","text":"Allocates Endless Blizzard","type":"explicit"},{"id":"explicit.stat_2954116742|24630","text":"Allocates Fulmination","type":"explicit"},{"id":"explicit.stat_2954116742|7062","text":"Allocates Reusable Ammunition","type":"explicit"},{"id":"explicit.stat_2954116742|21349","text":"Allocates The Cunning Fox","type":"explicit"},{"id":"explicit.stat_2954116742|63830","text":"Allocates Marked for Sickness","type":"explicit"},{"id":"explicit.stat_2954116742|44293","text":"Allocates Hastening Barrier","type":"explicit"},{"id":"explicit.stat_2954116742|24753","text":"Allocates Determined Precision","type":"explicit"},{"id":"explicit.stat_2954116742|39050","text":"Allocates Exploit","type":"explicit"},{"id":"explicit.stat_2954116742|59303","text":"Allocates Lucky Rabbit Foot","type":"explicit"},{"id":"explicit.stat_2954116742|52392","text":"Allocates Singular Purpose","type":"explicit"},{"id":"explicit.stat_1753977518","text":"#% of Thorns Damage Leeched as Life","type":"explicit"},{"id":"explicit.stat_2954116742|59208","text":"Allocates Frantic Fighter","type":"explicit"},{"id":"explicit.stat_2954116742|59214","text":"Allocates Fated End","type":"explicit"},{"id":"explicit.stat_2260055669","text":"Freezes Enemies that are on Full Life","type":"explicit"},{"id":"explicit.stat_2954116742|35564","text":"Allocates Turn the Clock Back","type":"explicit"},{"id":"explicit.stat_2954116742|29372","text":"Allocates Sudden Infuriation","type":"explicit"},{"id":"explicit.stat_2954116742|18496","text":"Allocates Lasting Trauma","type":"explicit"},{"id":"explicit.stat_2954116742|48006","text":"Allocates Devastation","type":"explicit"},{"id":"explicit.stat_2954116742|37806","text":"Allocates Branching Bolts","type":"explicit"},{"id":"explicit.stat_2954116742|27176","text":"Allocates The Power Within","type":"explicit"},{"id":"explicit.stat_2954116742|27626","text":"Allocates Touch the Arcane","type":"explicit"},{"id":"explicit.stat_2954116742|61112","text":"Allocates Roll and Strike","type":"explicit"},{"id":"explicit.stat_2954116742|27491","text":"Allocates Heavy Buffer","type":"explicit"},{"id":"explicit.stat_2954116742|40325","text":"Allocates Resolution","type":"explicit"},{"id":"explicit.stat_2954116742|32353","text":"Allocates Swift Claw","type":"explicit"},{"id":"explicit.stat_2954116742|30341","text":"Allocates Master Fletching","type":"explicit"},{"id":"explicit.stat_2954116742|55708","text":"Allocates Electric Amplification","type":"explicit"},{"id":"explicit.stat_2954116742|20008","text":"Allocates Unleash Fire","type":"explicit"},{"id":"explicit.stat_2954116742|8831","text":"Allocates Tempered Mind","type":"explicit"},{"id":"explicit.stat_2954116742|2344","text":"Allocates Dimensional Weakspot","type":"explicit"},{"id":"explicit.stat_2954116742|18959","text":"Allocates Ruinic Helm","type":"explicit"},{"id":"explicit.stat_2954116742|11774","text":"Allocates The Spring Hare","type":"explicit"},{"id":"explicit.stat_2954116742|5009","text":"Allocates Seeing Stars","type":"explicit"},{"id":"explicit.stat_2954116742|43088","text":"Allocates Agonising Calamity","type":"explicit"},{"id":"explicit.stat_2954116742|34425","text":"Allocates Precise Volatility","type":"explicit"},{"id":"explicit.stat_2954116742|15083","text":"Allocates Power Conduction","type":"explicit"},{"id":"explicit.stat_2954116742|19044","text":"Allocates Arcane Intensity","type":"explicit"},{"id":"explicit.stat_2954116742|54148","text":"Allocates Smoke Inhalation","type":"explicit"},{"id":"explicit.stat_2954116742|51871","text":"Allocates Immortal Thirst","type":"explicit"},{"id":"explicit.stat_2954116742|4985","text":"Allocates Flip the Script","type":"explicit"},{"id":"explicit.stat_2954116742|50485","text":"Allocates Zone of Control","type":"explicit"},{"id":"explicit.stat_2954116742|42981","text":"Allocates Cruel Methods","type":"explicit"},{"id":"explicit.stat_2954116742|62609","text":"Allocates Ancestral Unity","type":"explicit"},{"id":"explicit.stat_2954116742|8483","text":"Allocates Ruin","type":"explicit"},{"id":"explicit.stat_2954116742|61404","text":"Allocates Equilibrium","type":"explicit"},{"id":"explicit.stat_2954116742|54990","text":"Allocates Bloodletting","type":"explicit"},{"id":"explicit.stat_2954116742|2511","text":"Allocates Sundering","type":"explicit"},{"id":"explicit.stat_2954116742|25971","text":"Allocates Tenfold Attacks","type":"explicit"},{"id":"explicit.stat_2954116742|59720","text":"Allocates Beastial Skin","type":"explicit"},{"id":"explicit.stat_2954116742|48734","text":"Allocates The Howling Primate","type":"explicit"},{"id":"explicit.stat_2954116742|54911","text":"Allocates Firestarter","type":"explicit"},{"id":"explicit.stat_2954116742|39083","text":"Allocates Blood Rush","type":"explicit"},{"id":"explicit.stat_2954116742|4959","text":"Allocates Heavy Frost","type":"explicit"},{"id":"explicit.stat_2954116742|35966","text":"Allocates Heart Tissue","type":"explicit"},{"id":"explicit.stat_2954116742|9226","text":"Allocates Mental Perseverance","type":"explicit"},{"id":"explicit.stat_2954116742|46499","text":"Allocates Guts","type":"explicit"},{"id":"explicit.stat_2954116742|42065","text":"Allocates Surging Currents","type":"explicit"},{"id":"explicit.stat_2954116742|60138","text":"Allocates Stylebender","type":"explicit"},{"id":"explicit.stat_2954116742|12906","text":"Allocates Sitting Duck","type":"explicit"},{"id":"explicit.stat_2954116742|33240","text":"Allocates Lord of Horrors","type":"explicit"},{"id":"explicit.stat_2954116742|48699","text":"Allocates Frostwalker","type":"explicit"},{"id":"explicit.stat_2954116742|16256","text":"Allocates Ether Flow","type":"explicit"},{"id":"explicit.stat_2954116742|50795","text":"Allocates Careful Aim","type":"explicit"},{"id":"explicit.stat_2954116742|26291","text":"Allocates Electrifying Nature","type":"explicit"},{"id":"explicit.stat_2954116742|21748","text":"Allocates Impending Doom","type":"explicit"},{"id":"explicit.stat_2954116742|5663","text":"Allocates Endurance","type":"explicit"},{"id":"explicit.stat_2954116742|10265","text":"Allocates Javelin","type":"explicit"},{"id":"explicit.stat_2954116742|51213","text":"Allocates Wasting","type":"explicit"},{"id":"explicit.stat_2954116742|17955","text":"Allocates Careful Consideration","type":"explicit"},{"id":"explicit.stat_2954116742|8531","text":"Allocates Leaping Ambush","type":"explicit"},{"id":"explicit.stat_2954116742|11526","text":"Allocates Sniper","type":"explicit"},{"id":"explicit.stat_2954116742|1352","text":"Allocates Unbending","type":"explicit"},{"id":"explicit.stat_2954116742|37276","text":"Allocates Battle Trance","type":"explicit"},{"id":"explicit.stat_2954116742|24655","text":"Allocates Breath of Fire","type":"explicit"},{"id":"explicit.stat_2954116742|26331","text":"Allocates Harsh Winter","type":"explicit"},{"id":"explicit.stat_2954116742|55180","text":"Allocates Relentless Fallen","type":"explicit"},{"id":"explicit.stat_2954116742|44299","text":"Allocates Enhanced Barrier","type":"explicit"},{"id":"explicit.stat_2954116742|29514","text":"Allocates Cluster Bombs","type":"explicit"},{"id":"explicit.stat_2954116742|52618","text":"Allocates Boon of the Beast","type":"explicit"},{"id":"explicit.stat_2954116742|56453","text":"Allocates Killer Instinct","type":"explicit"},{"id":"explicit.stat_2954116742|62185","text":"Allocates Rattled","type":"explicit"},{"id":"explicit.stat_2954116742|55847","text":"Allocates Ice Walls","type":"explicit"},{"id":"explicit.stat_2954116742|60083","text":"Allocates Pin and Run","type":"explicit"},{"id":"explicit.stat_2954116742|57190","text":"Allocates Doomsayer","type":"explicit"},{"id":"explicit.stat_2954116742|19715","text":"Allocates Cremation","type":"explicit"},{"id":"explicit.stat_2954116742|31433","text":"Allocates Catalysis","type":"explicit"},{"id":"explicit.stat_2954116742|35739","text":"Allocates Crushing Judgement","type":"explicit"},{"id":"explicit.stat_2954116742|24120","text":"Allocates Mental Toughness","type":"explicit"},{"id":"explicit.stat_2954116742|64543","text":"Allocates Unbound Forces","type":"explicit"},{"id":"explicit.stat_2954116742|51707","text":"Allocates Enhanced Reflexes","type":"explicit"},{"id":"explicit.stat_2954116742|29527","text":"Allocates First Approach","type":"explicit"},{"id":"explicit.stat_2954116742|55060","text":"Allocates Shrapnel","type":"explicit"},{"id":"explicit.stat_2954116742|34308","text":"Allocates Personal Touch","type":"explicit"},{"id":"explicit.stat_2954116742|57617","text":"Allocates Shifted Strikes","type":"explicit"},{"id":"explicit.stat_2954116742|4627","text":"Allocates Climate Change","type":"explicit"},{"id":"explicit.stat_2954116742|30408","text":"Allocates Efficient Contraptions","type":"explicit"},{"id":"explicit.stat_2954116742|2745","text":"Allocates The Noble Wolf","type":"explicit"},{"id":"explicit.stat_2954116742|49984","text":"Allocates Spellblade","type":"explicit"},{"id":"explicit.stat_2954116742|57471","text":"Allocates Hunker Down","type":"explicit"},{"id":"explicit.stat_2954116742|46692","text":"Allocates Efficient Alchemy","type":"explicit"},{"id":"explicit.stat_2954116742|45488","text":"Allocates Cross Strike","type":"explicit"},{"id":"explicit.stat_2954116742|11366","text":"Allocates Volcanic Skin","type":"explicit"},{"id":"explicit.stat_2954116742|45632","text":"Allocates Mind Eraser","type":"explicit"},{"id":"explicit.stat_2954116742|23221","text":"Allocates Trick Shot","type":"explicit"},{"id":"explicit.stat_2954116742|17825","text":"Allocates Tactical Retreat","type":"explicit"},{"id":"explicit.stat_2954116742|51820","text":"Allocates Ancestral Conduits","type":"explicit"},{"id":"explicit.stat_2954116742|25482","text":"Allocates Beef","type":"explicit"},{"id":"explicit.stat_2954116742|19337","text":"Allocates Precision Salvo","type":"explicit"},{"id":"explicit.stat_2954116742|12337","text":"Allocates Flash Storm","type":"explicit"},{"id":"explicit.stat_2954116742|34300","text":"Allocates Conservative Casting","type":"explicit"},{"id":"explicit.stat_2954116742|37872","text":"Allocates Presence Present","type":"explicit"},{"id":"explicit.stat_2954116742|35417","text":"Allocates Wyvern's Breath","type":"explicit"},{"id":"explicit.stat_2954116742|38053","text":"Allocates Deafening Cries","type":"explicit"},{"id":"explicit.stat_2954116742|46696","text":"Allocates Impair","type":"explicit"},{"id":"explicit.stat_2954116742|34340","text":"Allocates Mass Rejuvenation","type":"explicit"},{"id":"explicit.stat_2954116742|2113","text":"Allocates Martial Artistry","type":"explicit"},{"id":"explicit.stat_2954116742|3215","text":"Allocates Melding","type":"explicit"},{"id":"explicit.stat_2954116742|48565","text":"Allocates Bringer of Order","type":"explicit"},{"id":"explicit.stat_2954116742|31175","text":"Allocates Grip of Evil","type":"explicit"},{"id":"explicit.stat_2954116742|53030","text":"Allocates Immolation","type":"explicit"},{"id":"explicit.stat_2954116742|16499","text":"Allocates Lingering Whispers","type":"explicit"},{"id":"explicit.stat_2954116742|36630","text":"Allocates Incision","type":"explicit"},{"id":"explicit.stat_2954116742|8782","text":"Allocates Empowering Infusions","type":"explicit"},{"id":"explicit.stat_2954116742|9472","text":"Allocates Catapult","type":"explicit"},{"id":"explicit.stat_2954116742|65016","text":"Allocates Intense Flames","type":"explicit"},{"id":"explicit.stat_2954116742|30748","text":"Allocates Controlled Chaos","type":"explicit"},{"id":"explicit.stat_2954116742|57047","text":"Allocates Polymathy","type":"explicit"},{"id":"explicit.stat_2954116742|2863","text":"Allocates Perpetual Freeze","type":"explicit"},{"id":"explicit.stat_2954116742|21206","text":"Allocates Explosive Impact","type":"explicit"},{"id":"explicit.stat_2954116742|12611","text":"Allocates Harness the Elements","type":"explicit"},{"id":"explicit.stat_2954116742|41811","text":"Allocates Shatter Palm","type":"explicit"},{"id":"explicit.stat_2954116742|23738","text":"Allocates Madness in the Bones","type":"explicit"},{"id":"explicit.stat_2954116742|43139","text":"Allocates Stormbreaker","type":"explicit"},{"id":"explicit.stat_2954116742|25619","text":"Allocates Sand in the Eyes","type":"explicit"},{"id":"explicit.stat_2954116742|63759","text":"Allocates Stacking Toxins","type":"explicit"},{"id":"explicit.stat_2954116742|7668","text":"Allocates Internal Bleeding","type":"explicit"},{"id":"explicit.stat_2954116742|61703","text":"Allocates Sharpened Claw","type":"explicit"},{"id":"explicit.stat_2954116742|53150","text":"Allocates Sharp Sight","type":"explicit"},{"id":"explicit.stat_2954116742|17372","text":"Allocates Reaching Strike","type":"explicit"},{"id":"explicit.stat_2954116742|27513","text":"Allocates Material Solidification","type":"explicit"},{"id":"explicit.stat_2954116742|4709","text":"Allocates Near Sighted","type":"explicit"},{"id":"explicit.stat_2954116742|33216","text":"Allocates Deep Wounds","type":"explicit"},{"id":"explicit.stat_2954116742|43396","text":"Allocates Ancestral Reach","type":"explicit"},{"id":"explicit.stat_2954116742|58939","text":"Allocates Dispatch Foes","type":"explicit"},{"id":"explicit.stat_2954116742|36623","text":"Allocates Convalescence","type":"explicit"},{"id":"explicit.stat_2954116742|2394","text":"Allocates Blade Flurry","type":"explicit"},{"id":"explicit.stat_2954116742|18505","text":"Allocates Crushing Verdict","type":"explicit"},{"id":"explicit.stat_2954116742|13515","text":"Allocates Stormwalker","type":"explicit"},{"id":"explicit.stat_2954116742|15443","text":"Allocates Endured Suffering","type":"explicit"},{"id":"explicit.stat_2954116742|55131","text":"Allocates Light on your Feet","type":"explicit"},{"id":"explicit.stat_2954116742|14934","text":"Allocates Spiral into Mania","type":"explicit"},{"id":"explicit.stat_2954116742|18308","text":"Allocates Bleeding Out","type":"explicit"},{"id":"explicit.stat_2954116742|53294","text":"Allocates Burn Away","type":"explicit"},{"id":"explicit.stat_2954116742|4716","text":"Allocates Afterimage","type":"explicit"},{"id":"explicit.stat_2954116742|30456","text":"Allocates High Alert","type":"explicit"},{"id":"explicit.stat_2954116742|53853","text":"Allocates Backup Plan","type":"explicit"},{"id":"explicit.stat_2954116742|65193","text":"Allocates Viciousness","type":"explicit"},{"id":"explicit.stat_2954116742|35560","text":"Allocates At your Command","type":"explicit"},{"id":"explicit.stat_2954116742|26518","text":"Allocates Cold Nature","type":"explicit"},{"id":"explicit.stat_2954116742|48103","text":"Allocates Forcewave","type":"explicit"},{"id":"explicit.stat_2954116742|51606","text":"Allocates Freedom of Movement","type":"explicit"},{"id":"explicit.stat_2954116742|23078","text":"Allocates Holy Protector","type":"explicit"},{"id":"explicit.stat_2954116742|7338","text":"Allocates Abasement","type":"explicit"},{"id":"explicit.stat_2954116742|17029","text":"Allocates Blade Catcher","type":"explicit"},{"id":"explicit.stat_2954116742|2138","text":"Allocates Spiral into Insanity","type":"explicit"},{"id":"explicit.stat_2954116742|64119","text":"Allocates Rapid Reload","type":"explicit"},{"id":"explicit.stat_2954116742|38398","text":"Allocates Apocalypse","type":"explicit"},{"id":"explicit.stat_2954116742|51867","text":"Allocates Finality","type":"explicit"},{"id":"explicit.stat_2954116742|56616","text":"Allocates Desperate Times","type":"explicit"},{"id":"explicit.stat_2954116742|48774","text":"Allocates Taut Flesh","type":"explicit"},{"id":"explicit.stat_2954116742|63585","text":"Allocates Thunderstruck","type":"explicit"},{"id":"explicit.stat_2954116742|61921","text":"Allocates Storm Surge","type":"explicit"},{"id":"explicit.stat_2954116742|55","text":"Allocates Fast Acting Toxins","type":"explicit"},{"id":"explicit.stat_2954116742|57805","text":"Allocates Clear Space","type":"explicit"},{"id":"explicit.stat_2954116742|40073","text":"Allocates Drenched","type":"explicit"},{"id":"explicit.stat_2954116742|56806","text":"Allocates Swift Blocking","type":"explicit"},{"id":"explicit.stat_2954116742|8904","text":"Allocates Death from Afar","type":"explicit"},{"id":"explicit.stat_2954116742|47514","text":"Allocates Dizzying Hits","type":"explicit"},{"id":"explicit.stat_2954116742|41972","text":"Allocates Glaciation","type":"explicit"},{"id":"explicit.stat_2954116742|43423","text":"Allocates Emboldened Avatar","type":"explicit"},{"id":"explicit.stat_2954116742|49661","text":"Allocates Perfectly Placed Knife","type":"explicit"},{"id":"explicit.stat_2954116742|33887","text":"Allocates Full Salvo","type":"explicit"},{"id":"explicit.stat_2954116742|15114","text":"Allocates Boundless Growth","type":"explicit"},{"id":"explicit.stat_2954116742|20511","text":"Allocates Cremating Cries","type":"explicit"},{"id":"explicit.stat_1414945937","text":"Manifested Dancing Dervishes die when Rampage ends","type":"explicit"},{"id":"explicit.stat_2954116742|43829","text":"Allocates Advanced Munitions","type":"explicit"},{"id":"explicit.stat_2954116742|4931","text":"Allocates Dependable Ward","type":"explicit"},{"id":"explicit.stat_2954116742|34908","text":"Allocates Staunch Deflection","type":"explicit"},{"id":"explicit.stat_2954116742|44756","text":"Allocates Marked Agility","type":"explicit"},{"id":"explicit.stat_2954116742|60692","text":"Allocates Echoing Flames","type":"explicit"},{"id":"explicit.stat_2319832234","text":"#% of Damage Taken Recouped as Life, Mana and Energy Shield","type":"explicit"},{"id":"explicit.stat_2954116742|27687","text":"Allocates Greatest Defence","type":"explicit"},{"id":"explicit.stat_2954116742|40985","text":"Allocates Empowering Remnants","type":"explicit"},{"id":"explicit.stat_2954116742|11392","text":"Allocates Molten Being","type":"explicit"},{"id":"explicit.stat_2954116742|42077","text":"Allocates Essence Infusion","type":"explicit"},{"id":"explicit.stat_2462683918","text":"#% increased Attack Damage while not on Low Mana","type":"explicit"},{"id":"explicit.stat_2954116742|55817","text":"Allocates Alchemical Oil","type":"explicit"},{"id":"explicit.stat_2954116742|23427","text":"Allocates Chilled to the Bone","type":"explicit"},{"id":"explicit.stat_2954116742|17303","text":"Allocates Utility Ordnance","type":"explicit"},{"id":"explicit.stat_2954116742|22967","text":"Allocates Vigilance","type":"explicit"},{"id":"explicit.stat_2954116742|56999","text":"Allocates Locked On","type":"explicit"},{"id":"explicit.stat_2954116742|4661","text":"Allocates Inspiring Leader","type":"explicit"},{"id":"explicit.stat_2889807051","text":"Melee Hits count as Rampage Kills\nRampage","type":"explicit"},{"id":"explicit.stat_2954116742|22817","text":"Allocates Inevitable Rupture","type":"explicit"},{"id":"explicit.stat_2954116742|42177","text":"Allocates Blurred Motion","type":"explicit"},{"id":"explicit.stat_2954116742|17260","text":"Allocates Piercing Claw","type":"explicit"},{"id":"explicit.stat_2954116742|13542","text":"Allocates Loose Flesh","type":"explicit"},{"id":"explicit.stat_2954116742|56493","text":"Allocates Agile Succession","type":"explicit"},{"id":"explicit.stat_2954116742|32543","text":"Allocates Unhindered","type":"explicit"},{"id":"explicit.stat_2954116742|17229","text":"Allocates Silent Guardian","type":"explicit"},{"id":"explicit.stat_2954116742|28482","text":"Allocates Total Incineration","type":"explicit"},{"id":"explicit.stat_2954116742|32301","text":"Allocates Frazzled","type":"explicit"},{"id":"explicit.stat_2954116742|50062","text":"Allocates Reinforced Barrier","type":"explicit"},{"id":"explicit.stat_2954116742|62034","text":"Allocates Prism Guard","type":"explicit"},{"id":"explicit.stat_2954116742|38459","text":"Allocates Disorientation","type":"explicit"},{"id":"explicit.stat_2954116742|17254","text":"Allocates Spell Haste","type":"explicit"},{"id":"explicit.stat_2954116742|10681","text":"Allocates Defensive Stance","type":"explicit"},{"id":"explicit.stat_2954116742|35031","text":"Allocates Chakra of Life","type":"explicit"},{"id":"explicit.stat_2954116742|28542","text":"Allocates The Molten One's Gift","type":"explicit"},{"id":"explicit.stat_2954116742|33542","text":"Allocates Quick Fingers","type":"explicit"},{"id":"explicit.stat_2954116742|34531","text":"Allocates Hallowed","type":"explicit"},{"id":"explicit.stat_2954116742|37266","text":"Allocates Nourishing Ally","type":"explicit"},{"id":"explicit.stat_2954116742|35855","text":"Allocates Fortifying Blood","type":"explicit"},{"id":"explicit.stat_2954116742|40345","text":"Allocates Master of Hexes","type":"explicit"},{"id":"explicit.stat_2954116742|8791","text":"Allocates Sturdy Ally","type":"explicit"},{"id":"explicit.stat_2954116742|36931","text":"Allocates Concussive Attack","type":"explicit"},{"id":"explicit.stat_2954116742|44373","text":"Allocates Wither Away","type":"explicit"},{"id":"explicit.stat_2954116742|9908","text":"Allocates Price of Freedom","type":"explicit"},{"id":"explicit.stat_2954116742|40166","text":"Allocates Deep Trance","type":"explicit"},{"id":"explicit.stat_2954116742|47316","text":"Allocates Goring","type":"explicit"},{"id":"explicit.stat_2954116742|51868","text":"Allocates Molten Carapace","type":"explicit"},{"id":"explicit.stat_2954116742|18086","text":"Allocates Breath of Ice","type":"explicit"},{"id":"explicit.stat_2954116742|11376","text":"Allocates Necrotic Touch","type":"explicit"},{"id":"explicit.stat_2954116742|56997","text":"Allocates Heavy Contact","type":"explicit"},{"id":"explicit.stat_2954116742|19236","text":"Allocates Projectile Bulwark","type":"explicit"},{"id":"explicit.stat_2954116742|59938","text":"Allocates Against the Elements","type":"explicit"},{"id":"explicit.stat_2954116742|17150","text":"Allocates General's Bindings","type":"explicit"},{"id":"explicit.stat_2954116742|63400","text":"Allocates Chakra of Elements","type":"explicit"},{"id":"explicit.stat_2954116742|54814","text":"Allocates Profane Commander","type":"explicit"},{"id":"explicit.stat_2954116742|40803","text":"Allocates Sigil of Ice","type":"explicit"},{"id":"explicit.stat_2954116742|4673","text":"Allocates Hulking Smash","type":"explicit"},{"id":"explicit.stat_2954116742|33730","text":"Allocates Focused Channel","type":"explicit"},{"id":"explicit.stat_2954116742|61444","text":"Allocates Wasting Casts","type":"explicit"},{"id":"explicit.stat_2954116742|53566","text":"Allocates Run and Gun","type":"explicit"},{"id":"explicit.stat_2954116742|37458","text":"Allocates Strong Links","type":"explicit"},{"id":"explicit.stat_2954116742|19546","text":"Allocates Favourable Odds","type":"explicit"},{"id":"explicit.stat_2954116742|44952","text":"Allocates Made to Last","type":"explicit"},{"id":"explicit.stat_2954116742|17600","text":"Allocates Thirsting Ally","type":"explicit"},{"id":"explicit.stat_2954116742|51446","text":"Allocates Leather Bound Gauntlets","type":"explicit"},{"id":"explicit.stat_2954116742|9227","text":"Allocates Focused Thrust","type":"explicit"},{"id":"explicit.stat_2954116742|42302","text":"Allocates Split Shot","type":"explicit"},{"id":"explicit.stat_2954116742|10499","text":"Allocates Necromantic Ward","type":"explicit"},{"id":"explicit.stat_2954116742|20388","text":"Allocates Regenerative Flesh","type":"explicit"},{"id":"explicit.stat_2954116742|51509","text":"Allocates Waters of Life","type":"explicit"},{"id":"explicit.stat_2954116742|31373","text":"Allocates Vocal Empowerment","type":"explicit"},{"id":"explicit.stat_2954116742|58198","text":"Allocates Well of Power","type":"explicit"},{"id":"explicit.stat_2954116742|17664","text":"Allocates Decisive Retreat","type":"explicit"},{"id":"explicit.stat_2954116742|51891","text":"Allocates Lucidity","type":"explicit"},{"id":"explicit.stat_2954116742|9652","text":"Allocates Mending Deflection","type":"explicit"},{"id":"explicit.stat_2954116742|51602","text":"Allocates Unsight","type":"explicit"},{"id":"explicit.stat_2954116742|15991","text":"Allocates Embodiment of Lightning","type":"explicit"},{"id":"explicit.stat_2954116742|52684","text":"Allocates Eroding Chains","type":"explicit"},{"id":"explicit.stat_2954116742|372","text":"Allocates Heatproof","type":"explicit"},{"id":"explicit.stat_2954116742|11838","text":"Allocates Dreamcatcher","type":"explicit"},{"id":"explicit.stat_2954116742|35324","text":"Allocates Burnout","type":"explicit"},{"id":"explicit.stat_2954116742|35918","text":"Allocates One For All","type":"explicit"},{"id":"explicit.stat_2954116742|54937","text":"Allocates Vengeful Fury","type":"explicit"},{"id":"explicit.stat_2954116742|1104","text":"Allocates Lust for Power","type":"explicit"},{"id":"explicit.stat_2954116742|10998","text":"Allocates Strong Chin","type":"explicit"},{"id":"explicit.stat_2954116742|39347","text":"Allocates Breaking Blows","type":"explicit"},{"id":"explicit.stat_2954116742|27009","text":"Allocates Lust for Sacrifice","type":"explicit"},{"id":"explicit.stat_2954116742|10295","text":"Allocates Overzealous","type":"explicit"},{"id":"explicit.stat_2954116742|14343","text":"Allocates Deterioration","type":"explicit"},{"id":"explicit.stat_2954116742|41905","text":"Allocates Gravedigger","type":"explicit"},{"id":"explicit.stat_2954116742|10315","text":"Allocates Easy Going","type":"explicit"},{"id":"explicit.stat_2954116742|42813","text":"Allocates Tides of Change","type":"explicit"},{"id":"explicit.stat_2954116742|53941","text":"Allocates Shimmering","type":"explicit"},{"id":"explicit.stat_2954116742|10029","text":"Allocates Repulsion","type":"explicit"},{"id":"explicit.stat_2954116742|7847","text":"Allocates The Fabled Stag","type":"explicit"},{"id":"explicit.stat_1949833742","text":"#% increased Daze Buildup","type":"explicit"},{"id":"explicit.stat_2954116742|43791","text":"Allocates Rallying Icon","type":"explicit"},{"id":"explicit.stat_2954116742|36333","text":"Allocates Explosive Empowerment","type":"explicit"},{"id":"explicit.stat_2954116742|41753","text":"Allocates Evocational Practitioner","type":"explicit"},{"id":"explicit.stat_2954116742|64851","text":"Allocates Flashy Parrying","type":"explicit"},{"id":"explicit.stat_2954116742|16626","text":"Allocates Impact Area","type":"explicit"},{"id":"explicit.stat_2954116742|21537","text":"Allocates Fervour","type":"explicit"},{"id":"explicit.stat_2954116742|26563","text":"Allocates Bone Chains","type":"explicit"},{"id":"explicit.stat_2954116742|9444","text":"Allocates One with the Storm","type":"explicit"},{"id":"explicit.stat_2954116742|42036","text":"Allocates Off-Balancing Retort","type":"explicit"},{"id":"explicit.stat_2954116742|53935","text":"Allocates Briny Carapace","type":"explicit"},{"id":"explicit.stat_2954116742|8397","text":"Allocates Empowering Remains","type":"explicit"},{"id":"explicit.stat_2954116742|20289","text":"Allocates Frozen Claw","type":"explicit"},{"id":"explicit.stat_398335579","text":"Cannot be used while Manifested","type":"explicit"},{"id":"explicit.stat_2954116742|31364","text":"Allocates Primal Protection","type":"explicit"},{"id":"explicit.stat_2954116742|32951","text":"Allocates Preservation","type":"explicit"},{"id":"explicit.stat_2954116742|2335","text":"Allocates Turn the Clock Forward","type":"explicit"},{"id":"explicit.stat_2954116742|27434","text":"Allocates Archon of the Storm","type":"explicit"},{"id":"explicit.stat_2954116742|28329","text":"Allocates Pressure Points","type":"explicit"},{"id":"explicit.stat_2954116742|52199","text":"Allocates Overexposure","type":"explicit"},{"id":"explicit.stat_2954116742|6544","text":"Allocates Burning Strikes","type":"explicit"},{"id":"explicit.stat_2954116742|24483","text":"Allocates Direct Approach","type":"explicit"},{"id":"explicit.stat_2954116742|24491","text":"Allocates Invocated Echoes","type":"explicit"},{"id":"explicit.stat_2954116742|15829","text":"Allocates Siphon","type":"explicit"},{"id":"explicit.stat_2954116742|42032","text":"Allocates Escalating Mayhem","type":"explicit"},{"id":"explicit.stat_2954116742|61741","text":"Allocates Lasting Toxins","type":"explicit"},{"id":"explicit.stat_2954116742|48014","text":"Allocates Honourless","type":"explicit"},{"id":"explicit.stat_2954116742|38479","text":"Allocates Close Confines","type":"explicit"},{"id":"explicit.stat_2954116742|6133","text":"Allocates Core of the Guardian","type":"explicit"},{"id":"explicit.stat_2954116742|56488","text":"Allocates Glancing Deflection","type":"explicit"},{"id":"explicit.stat_2954116742|11578","text":"Allocates Spreading Shocks","type":"explicit"},{"id":"explicit.stat_2954116742|63981","text":"Allocates Deft Recovery","type":"explicit"},{"id":"explicit.stat_2954116742|48524","text":"Allocates Blood Transfusion","type":"explicit"},{"id":"explicit.stat_4007938693","text":"Triggers Level # Manifest Dancing Dervishes on Rampage","type":"explicit"},{"id":"explicit.stat_2954116742|11826","text":"Allocates Heavy Ammunition","type":"explicit"},{"id":"explicit.stat_2954116742|48418","text":"Allocates Hefty Unit","type":"explicit"},{"id":"explicit.stat_2954116742|338","text":"Allocates Invocated Limit","type":"explicit"},{"id":"explicit.stat_2954116742|45244","text":"Allocates Refills","type":"explicit"},{"id":"explicit.stat_2954116742|33922","text":"Allocates Stripped Defences","type":"explicit"},{"id":"explicit.stat_2954116742|42245","text":"Allocates Efficient Inscriptions","type":"explicit"},{"id":"explicit.stat_2954116742|35369","text":"Allocates Investing Energies","type":"explicit"},{"id":"explicit.stat_2954116742|23227","text":"Allocates Initiative","type":"explicit"},{"id":"explicit.stat_2954116742|21164","text":"Allocates Fleshcrafting","type":"explicit"},{"id":"explicit.stat_2954116742|65160","text":"Allocates Titanic","type":"explicit"},{"id":"explicit.stat_2954116742|10602","text":"Allocates Reaving","type":"explicit"},{"id":"explicit.stat_2954116742|14211","text":"Allocates Shredding Contraptions","type":"explicit"},{"id":"explicit.stat_2954116742|27108","text":"Allocates Mass Hysteria","type":"explicit"},{"id":"explicit.stat_2954116742|27388","text":"Allocates Aspiring Genius","type":"explicit"},{"id":"explicit.stat_2954116742|38972","text":"Allocates Restless Dead","type":"explicit"},{"id":"explicit.stat_2954116742|42714","text":"Allocates Thousand Cuts","type":"explicit"},{"id":"explicit.stat_2954116742|46972","text":"Allocates Arcane Mixtures","type":"explicit"},{"id":"explicit.stat_2954116742|54998","text":"Allocates Protraction","type":"explicit"},{"id":"explicit.stat_2954116742|34316","text":"Allocates One with the River","type":"explicit"},{"id":"explicit.stat_2954116742|5335","text":"Allocates Shimmering Mirage","type":"explicit"},{"id":"explicit.stat_2954116742|13980","text":"Allocates Split the Earth","type":"explicit"},{"id":"explicit.stat_2954116742|51169","text":"Allocates Soul Bloom","type":"explicit"},{"id":"explicit.stat_2954116742|1823","text":"Allocates Illuminated Crown","type":"explicit"},{"id":"explicit.stat_2954116742|63255","text":"Allocates Savagery","type":"explicit"},{"id":"explicit.stat_2954116742|32151","text":"Allocates Crystalline Resistance","type":"explicit"},{"id":"explicit.stat_2954116742|17330","text":"Allocates Perforation","type":"explicit"},{"id":"explicit.stat_2954116742|12412","text":"Allocates Temporal Mastery","type":"explicit"},{"id":"explicit.stat_2954116742|16940","text":"Allocates Arcane Nature","type":"explicit"},{"id":"explicit.stat_2954116742|56767","text":"Allocates Electrifying Daze","type":"explicit"},{"id":"explicit.stat_2954116742|5257","text":"Allocates Echoing Frost","type":"explicit"},{"id":"explicit.stat_2954116742|47418","text":"Allocates Warding Potions","type":"explicit"},{"id":"explicit.stat_2954116742|2843","text":"Allocates Tolerant Equipment","type":"explicit"},{"id":"explicit.stat_2954116742|19644","text":"Allocates Left Hand of Darkness","type":"explicit"},{"id":"explicit.stat_2954116742|3698","text":"Allocates Spike Pit","type":"explicit"},{"id":"explicit.stat_2954116742|60619","text":"Allocates Scales of the Wyvern","type":"explicit"},{"id":"explicit.stat_2954116742|48658","text":"Allocates Shattering","type":"explicit"},{"id":"explicit.stat_2954116742|15617","text":"Allocates Heavy Drinker","type":"explicit"},{"id":"explicit.stat_2954116742|25711","text":"Allocates Thrill of Battle","type":"explicit"},{"id":"explicit.stat_2954116742|65023","text":"Allocates Impenetrable Shell","type":"explicit"},{"id":"explicit.stat_2954116742|30720","text":"Allocates Entropic Incarnation","type":"explicit"},{"id":"explicit.stat_2954116742|36976","text":"Allocates Marked for Death","type":"explicit"},{"id":"explicit.stat_2954116742|42959","text":"Allocates Low Tolerance","type":"explicit"},{"id":"explicit.stat_2954116742|38888","text":"Allocates Unerring Impact","type":"explicit"},{"id":"explicit.stat_2954116742|36507","text":"Allocates Vile Mending","type":"explicit"},{"id":"explicit.stat_679019978","text":"#% of Damage is taken from Mana before Life while not on Low Mana","type":"explicit"},{"id":"explicit.stat_2954116742|39990","text":"Allocates Chronomancy","type":"explicit"},{"id":"explicit.stat_2954116742|46182","text":"Allocates Intense Dose","type":"explicit"},{"id":"explicit.stat_2954116742|52971","text":"Allocates Quick Response","type":"explicit"},{"id":"explicit.stat_2954116742|1506","text":"Allocates Remnant Attraction","type":"explicit"},{"id":"explicit.stat_2954116742|24766","text":"Allocates Paranoia","type":"explicit"},{"id":"explicit.stat_2954116742|19156","text":"Allocates Immaterial","type":"explicit"},{"id":"explicit.stat_2954116742|19249","text":"Allocates Supportive Ancestors","type":"explicit"},{"id":"explicit.stat_2954116742|35618","text":"Allocates Cold Coat","type":"explicit"},{"id":"explicit.stat_2954116742|5642","text":"Allocates Behemoth","type":"explicit"},{"id":"explicit.stat_2954116742|54031","text":"Allocates The Great Boar","type":"explicit"},{"id":"explicit.stat_2954116742|3921","text":"Allocates Fate Finding","type":"explicit"},{"id":"explicit.stat_2954116742|55568","text":"Allocates Forthcoming","type":"explicit"},{"id":"explicit.stat_2954116742|52180","text":"Allocates Trained Deflection","type":"explicit"},{"id":"explicit.stat_2954116742|59596","text":"Allocates Covering Ward","type":"explicit"},{"id":"explicit.stat_2954116742|32354","text":"Allocates Defiance","type":"explicit"},{"id":"explicit.stat_2954116742|6655","text":"Allocates Aggravation","type":"explicit"},{"id":"explicit.stat_2954116742|32507","text":"Allocates Cut to the Bone","type":"explicit"},{"id":"explicit.stat_2954116742|5580","text":"Allocates Watchtowers","type":"explicit"},{"id":"explicit.stat_2954116742|53187","text":"Allocates Warlord Berserker","type":"explicit"},{"id":"explicit.stat_2954116742|43677","text":"Allocates Crippling Toxins","type":"explicit"},{"id":"explicit.stat_2954116742|25753","text":"Allocates Blazing Arms","type":"explicit"},{"id":"explicit.stat_2954116742|19722","text":"Allocates Thin Ice","type":"explicit"},{"id":"explicit.stat_2954116742|4547","text":"Allocates Unnatural Resilience","type":"explicit"},{"id":"explicit.stat_2954116742|40270","text":"Allocates Frenetic","type":"explicit"},{"id":"explicit.stat_2954116742|44974","text":"Allocates Hail","type":"explicit"},{"id":"explicit.stat_3076483222|6774","text":"Sacrifice up to 3 Perfect Exalted Orbs to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_2954116742|9968","text":"Allocates Feel the Earth","type":"explicit"},{"id":"explicit.stat_2954116742|30562","text":"Allocates Inner Faith","type":"explicit"},{"id":"explicit.stat_2954116742|45370","text":"Allocates The Raging Ox","type":"explicit"},{"id":"explicit.stat_2954116742|60464","text":"Allocates Fan the Flames","type":"explicit"},{"id":"explicit.stat_2954116742|28408","text":"Allocates Invigorating Hate","type":"explicit"},{"id":"explicit.stat_2954116742|8554","text":"Allocates Burning Nature","type":"explicit"},{"id":"explicit.stat_2954116742|58397","text":"Allocates Proficiency","type":"explicit"},{"id":"explicit.stat_2954116742|61026","text":"Allocates Crystalline Flesh","type":"explicit"},{"id":"explicit.stat_2954116742|2397","text":"Allocates Last Stand","type":"explicit"},{"id":"explicit.stat_2954116742|65243","text":"Allocates Enveloping Presence","type":"explicit"},{"id":"explicit.stat_2954116742|21453","text":"Allocates Breakage","type":"explicit"},{"id":"explicit.stat_2954116742|33093","text":"Allocates Effervescent","type":"explicit"},{"id":"explicit.stat_2954116742|31826","text":"Allocates Long Distance Relationship","type":"explicit"},{"id":"explicit.stat_2954116742|10774","text":"Allocates Unyielding","type":"explicit"},{"id":"explicit.stat_2954116742|57110","text":"Allocates Infused Flesh","type":"explicit"},{"id":"explicit.stat_2954116742|45177","text":"Allocates Strike True","type":"explicit"},{"id":"explicit.stat_2954116742|63031","text":"Allocates Glorious Anticipation","type":"explicit"},{"id":"explicit.stat_2954116742|19442","text":"Allocates Prolonged Assault","type":"explicit"},{"id":"explicit.stat_2954116742|40480","text":"Allocates Harmonic Generator","type":"explicit"},{"id":"explicit.stat_2954116742|62310","text":"Allocates Incendiary","type":"explicit"},{"id":"explicit.stat_2954116742|23940","text":"Allocates Adamant Recovery","type":"explicit"},{"id":"explicit.stat_2954116742|51105","text":"Allocates Spirit Bond","type":"explicit"},{"id":"explicit.stat_2954116742|2486","text":"Allocates Stars Aligned","type":"explicit"},{"id":"explicit.stat_2954116742|59433","text":"Allocates Thirst for Endurance","type":"explicit"},{"id":"explicit.stat_2954116742|50687","text":"Allocates Coursing Energy","type":"explicit"},{"id":"explicit.stat_2954116742|55835","text":"Allocates Exposed to the Cosmos","type":"explicit"},{"id":"explicit.stat_2954116742|38965","text":"Allocates Infused Limits","type":"explicit"},{"id":"explicit.stat_2954116742|5332","text":"Allocates Crystallised Immunities","type":"explicit"},{"id":"explicit.stat_2954116742|61493","text":"Allocates Austerity Measures","type":"explicit"},{"id":"explicit.stat_2954116742|63037","text":"Allocates Sigil of Fire","type":"explicit"},{"id":"explicit.stat_2954116742|47441","text":"Allocates Stigmata","type":"explicit"},{"id":"explicit.stat_2954116742|7449","text":"Allocates Splinters","type":"explicit"},{"id":"explicit.stat_2954116742|30395","text":"Allocates Howling Beast","type":"explicit"},{"id":"explicit.stat_2954116742|55450","text":"Allocates Rallying Form","type":"explicit"},{"id":"explicit.stat_2954116742|7604","text":"Allocates Rapid Strike","type":"explicit"},{"id":"explicit.stat_2954116742|336","text":"Allocates Storm Swell","type":"explicit"},{"id":"explicit.stat_2954116742|16150","text":"Allocates Inspiring Ally","type":"explicit"},{"id":"explicit.stat_2954116742|38895","text":"Allocates Crystal Elixir","type":"explicit"},{"id":"explicit.stat_2954116742|47270","text":"Allocates Inescapable Cold","type":"explicit"},{"id":"explicit.stat_2954116742|51394","text":"Allocates Unimpeded","type":"explicit"},{"id":"explicit.stat_2954116742|32664","text":"Allocates Chakra of Breathing","type":"explicit"},{"id":"explicit.stat_2954116742|62455","text":"Allocates Bannerman","type":"explicit"},{"id":"explicit.stat_2954116742|53607","text":"Allocates Fortified Location","type":"explicit"},{"id":"explicit.stat_2954116742|36100","text":"Allocates Molten Claw","type":"explicit"},{"id":"explicit.stat_2954116742|54640","text":"Allocates Constricting","type":"explicit"},{"id":"explicit.stat_2954116742|62803","text":"Allocates Woodland Aspect","type":"explicit"},{"id":"explicit.stat_2954116742|35477","text":"Allocates Far Sighted","type":"explicit"},{"id":"explicit.stat_2954116742|54805","text":"Allocates Hindered Capabilities","type":"explicit"},{"id":"explicit.stat_2954116742|46683","text":"Allocates Inherited Strength ","type":"explicit"},{"id":"explicit.stat_2954116742|65265","text":"Allocates Swift Interruption","type":"explicit"},{"id":"explicit.stat_2954116742|64415","text":"Allocates Shattering Daze","type":"explicit"},{"id":"explicit.stat_2954116742|4031","text":"Allocates Icebreaker","type":"explicit"},{"id":"explicit.stat_2954116742|2021","text":"Allocates Wellspring","type":"explicit"},{"id":"explicit.stat_2954116742|58714","text":"Allocates Grenadier","type":"explicit"},{"id":"explicit.stat_2954116742|50912","text":"Allocates Imbibed Power","type":"explicit"},{"id":"explicit.stat_2954116742|61354","text":"Allocates Infernal Limit","type":"explicit"},{"id":"explicit.stat_2954116742|9421","text":"Allocates Snowpiercer","type":"explicit"},{"id":"explicit.stat_2954116742|7651","text":"Allocates Pierce the Heart","type":"explicit"},{"id":"explicit.stat_2954116742|39567","text":"Allocates Ingenuity","type":"explicit"},{"id":"explicit.stat_2954116742|8896","text":"Allocates Agile Sprinter","type":"explicit"},{"id":"explicit.stat_2954116742|46726","text":"Allocates Reformed Barrier","type":"explicit"},{"id":"explicit.stat_2954116742|49214","text":"Allocates Blood of the Wolf","type":"explicit"},{"id":"explicit.stat_2954116742|17762","text":"Allocates Vengeance","type":"explicit"},{"id":"explicit.stat_2954116742|36341","text":"Allocates Cull the Hordes","type":"explicit"},{"id":"explicit.stat_2954116742|18419","text":"Allocates Ancestral Mending","type":"explicit"},{"id":"explicit.stat_2954116742|46224","text":"Allocates Arcane Alchemy","type":"explicit"},{"id":"explicit.stat_2954116742|64650","text":"Allocates Wary Dodging","type":"explicit"},{"id":"explicit.stat_2954116742|63451","text":"Allocates Cranial Impact","type":"explicit"},{"id":"explicit.stat_2954116742|18157","text":"Allocates Tempered Defences","type":"explicit"},{"id":"explicit.stat_2954116742|29762","text":"Allocates Guttural Roar","type":"explicit"},{"id":"explicit.stat_2954116742|45874","text":"Allocates Proliferating Weeds","type":"explicit"},{"id":"explicit.stat_2954116742|36808","text":"Allocates Spiked Shield","type":"explicit"},{"id":"explicit.stat_2954116742|33978","text":"Allocates Unstoppable Barrier","type":"explicit"},{"id":"explicit.stat_2954116742|35792","text":"Allocates Blood of Rage","type":"explicit"},{"id":"explicit.stat_2954116742|42045","text":"Allocates Archon of the Blizzard","type":"explicit"},{"id":"explicit.stat_2954116742|20397","text":"Allocates Authority","type":"explicit"},{"id":"explicit.stat_2954116742|4534","text":"Allocates Piercing Shot","type":"explicit"},{"id":"explicit.stat_2954116742|45713","text":"Allocates Savouring","type":"explicit"},{"id":"explicit.stat_2954116742|12964","text":"Allocates Lone Warrior","type":"explicit"},{"id":"explicit.stat_2954116742|32721","text":"Allocates Distracted Target","type":"explicit"},{"id":"explicit.stat_2954116742|31724","text":"Allocates Iron Slippers","type":"explicit"},{"id":"explicit.stat_2954116742|261","text":"Allocates Toxic Sludge","type":"explicit"},{"id":"explicit.stat_2954116742|14777","text":"Allocates Bravado","type":"explicit"},{"id":"explicit.stat_2954116742|34543","text":"Allocates The Frenzied Bear","type":"explicit"},{"id":"explicit.stat_2954116742|29800","text":"Allocates Shocking Limit","type":"explicit"},{"id":"explicit.stat_2954116742|8810","text":"Allocates Multitasking","type":"explicit"},{"id":"explicit.stat_2954116742|55308","text":"Allocates Sling Shots","type":"explicit"},{"id":"explicit.stat_2954116742|8660","text":"Allocates Reverberation","type":"explicit"},{"id":"explicit.stat_2954116742|48617","text":"Allocates Hunter","type":"explicit"},{"id":"explicit.stat_2954116742|5686","text":"Allocates Chillproof","type":"explicit"},{"id":"explicit.stat_2954116742|7782","text":"Allocates Rupturing Pins","type":"explicit"},{"id":"explicit.stat_2954116742|9009","text":"Allocates Return to Nature","type":"explicit"},{"id":"explicit.stat_2954116742|37514","text":"Allocates Whirling Assault","type":"explicit"},{"id":"explicit.stat_2954116742|2575","text":"Allocates Ancestral Alacrity","type":"explicit"},{"id":"explicit.stat_2954116742|46365","text":"Allocates Gigantic Following","type":"explicit"},{"id":"explicit.stat_2954116742|30546","text":"Allocates Electrified Claw","type":"explicit"},{"id":"explicit.stat_2954116742|14602","text":"Allocates Specialised Shots","type":"explicit"},{"id":"explicit.stat_2954116742|56714","text":"Allocates Swift Flight","type":"explicit"},{"id":"explicit.stat_2954116742|40213","text":"Allocates Taste for Blood","type":"explicit"},{"id":"explicit.stat_2954116742|63541","text":"Allocates Brush Off","type":"explicit"},{"id":"explicit.stat_2954116742|53265","text":"Allocates Nature's Bite","type":"explicit"},{"id":"explicit.stat_2954116742|53185","text":"Allocates The Winter Owl","type":"explicit"},{"id":"explicit.stat_2954116742|8957","text":"Allocates Right Hand of Darkness","type":"explicit"},{"id":"explicit.stat_2954116742|23764","text":"Allocates Alternating Current","type":"explicit"},{"id":"explicit.stat_2954116742|43711","text":"Allocates Thornhide","type":"explicit"},{"id":"explicit.stat_2954116742|24438","text":"Allocates Hardened Wood","type":"explicit"},{"id":"explicit.stat_2954116742|15606","text":"Allocates Thrill of the Fight","type":"explicit"},{"id":"explicit.stat_2954116742|7302","text":"Allocates Echoing Pulse","type":"explicit"},{"id":"explicit.stat_2954116742|15986","text":"Allocates Building Toxins","type":"explicit"},{"id":"explicit.stat_2954116742|34541","text":"Allocates Energising Deflection","type":"explicit"},{"id":"explicit.stat_2954116742|24240","text":"Allocates Time Manipulation","type":"explicit"},{"id":"explicit.stat_2954116742|52257","text":"Allocates Conductive Embrace","type":"explicit"},{"id":"explicit.stat_2954116742|56388","text":"Allocates Reinforced Rallying","type":"explicit"},{"id":"explicit.stat_2954116742|47363","text":"Allocates Colossal Weapon","type":"explicit"},{"id":"explicit.stat_2954116742|46296","text":"Allocates Short Shot","type":"explicit"},{"id":"explicit.stat_2954116742|5410","text":"Allocates Channelled Heritage","type":"explicit"},{"id":"explicit.stat_2954116742|47560","text":"Allocates Multi Shot","type":"explicit"},{"id":"explicit.stat_2954116742|26070","text":"Allocates Bolstering Yell","type":"explicit"},{"id":"explicit.stat_2954116742|51934","text":"Allocates Invocated Efficiency","type":"explicit"},{"id":"explicit.stat_2954116742|38628","text":"Allocates Escalating Toxins","type":"explicit"},{"id":"explicit.stat_2954116742|50884","text":"Allocates Primal Sundering","type":"explicit"},{"id":"explicit.stat_2954116742|32799","text":"Allocates Captivating Companionship","type":"explicit"},{"id":"explicit.stat_2954116742|9323","text":"Allocates Craving Slaughter","type":"explicit"},{"id":"explicit.stat_2954116742|4331","text":"Allocates Guided Hand","type":"explicit"},{"id":"explicit.stat_2954116742|56893","text":"Allocates Thicket Warding","type":"explicit"},{"id":"explicit.stat_2954116742|13457","text":"Allocates Shadow Dancing","type":"explicit"},{"id":"explicit.stat_2954116742|38570","text":"Allocates Demolitionist","type":"explicit"},{"id":"explicit.stat_2954116742|59589","text":"Allocates Heavy Armour","type":"explicit"},{"id":"explicit.stat_2954116742|43854","text":"Allocates All For One","type":"explicit"},{"id":"explicit.stat_2954116742|29288","text":"Allocates Deadly Invocations","type":"explicit"},{"id":"explicit.stat_2954116742|38342","text":"Allocates Stupefy","type":"explicit"},{"id":"explicit.stat_2954116742|13823","text":"Allocates Controlling Magic","type":"explicit"},{"id":"explicit.stat_2954116742|53367","text":"Allocates Symbol of Defiance","type":"explicit"},{"id":"explicit.stat_2954116742|50392","text":"Allocates Brute Strength","type":"explicit"},{"id":"explicit.stat_2954116742|43939","text":"Allocates Melting Flames","type":"explicit"},{"id":"explicit.stat_2954116742|17882","text":"Allocates Volatile Grenades","type":"explicit"},{"id":"explicit.stat_2954116742|7163","text":"Allocates Stimulants","type":"explicit"},{"id":"explicit.stat_2954116742|42354","text":"Allocates Blinding Flash","type":"explicit"},{"id":"explicit.stat_2954116742|31129","text":"Allocates Lifelong Friend","type":"explicit"},{"id":"explicit.stat_2954116742|12661","text":"Allocates Asceticism","type":"explicit"},{"id":"explicit.stat_2954116742|31745","text":"Allocates Lockdown","type":"explicit"},{"id":"explicit.stat_2954116742|41394","text":"Allocates Invigorating Archon","type":"explicit"},{"id":"explicit.stat_2954116742|15644","text":"Allocates Shedding Skin","type":"explicit"},{"id":"explicit.stat_2954116742|59070","text":"Allocates Enduring Archon","type":"explicit"},{"id":"explicit.stat_2954116742|48215","text":"Allocates Headshot","type":"explicit"},{"id":"explicit.stat_2954116742|60992","text":"Allocates Nurturing Guardian","type":"explicit"},{"id":"explicit.stat_2954116742|18485","text":"Allocates Unstable Bond","type":"explicit"},{"id":"explicit.stat_2954116742|57097","text":"Allocates Spirit Bonds","type":"explicit"},{"id":"explicit.stat_2954116742|4447","text":"Allocates Pin their Motivation","type":"explicit"},{"id":"explicit.stat_2954116742|52348","text":"Allocates Carved Earth","type":"explicit"},{"id":"explicit.stat_2954116742|9896","text":"Allocates Heartstopping Presence","type":"explicit"},{"id":"explicit.stat_2954116742|13708","text":"Allocates Curved Weapon","type":"explicit"},{"id":"explicit.stat_2954116742|5594","text":"Allocates Decrepifying Curse","type":"explicit"},{"id":"explicit.stat_2954116742|56016","text":"Allocates Passthrough Rounds","type":"explicit"},{"id":"explicit.stat_2954116742|47420","text":"Allocates Expendable Army","type":"explicit"},{"id":"explicit.stat_2954116742|53683","text":"Allocates Efficient Loading","type":"explicit"},{"id":"explicit.stat_2954116742|42390","text":"Allocates Overheating Blow","type":"explicit"},{"id":"explicit.stat_2954116742|37543","text":"Allocates Full Recovery","type":"explicit"},{"id":"explicit.stat_2954116742|32655","text":"Allocates Hunting Companion","type":"explicit"},{"id":"explicit.stat_2954116742|50673","text":"Allocates Avoiding Deflection","type":"explicit"},{"id":"explicit.stat_2954116742|3188","text":"Allocates Revenge","type":"explicit"},{"id":"explicit.stat_2954116742|9928","text":"Allocates Embracing Frost","type":"explicit"},{"id":"explicit.stat_2954116742|38614","text":"Allocates Psychic Fragmentation","type":"explicit"},{"id":"explicit.stat_2954116742|64050","text":"Allocates Marathon Runner","type":"explicit"},{"id":"explicit.stat_2954116742|18397","text":"Allocates Savoured Blood","type":"explicit"},{"id":"explicit.stat_2954116742|53131","text":"Allocates Tukohama's Brew","type":"explicit"},{"id":"explicit.stat_2954116742|24062","text":"Allocates Immortal Infamy","type":"explicit"},{"id":"explicit.stat_2954116742|59541","text":"Allocates Necrotised Flesh","type":"explicit"},{"id":"explicit.stat_2954116742|2814","text":"Allocates Engineered Blaze","type":"explicit"},{"id":"explicit.stat_2954116742|6304","text":"Allocates Stand Ground","type":"explicit"},{"id":"explicit.stat_2954116742|62963","text":"Allocates Flamewalker","type":"explicit"},{"id":"explicit.stat_2954116742|53823","text":"Allocates Towering Shield","type":"explicit"},{"id":"explicit.stat_2954116742|46384","text":"Allocates Wide Barrier","type":"explicit"},{"id":"explicit.stat_2954116742|20416","text":"Allocates Grit","type":"explicit"},{"id":"explicit.stat_1176947534","text":"Undead Minions have #% reduced Reservation","type":"explicit"},{"id":"explicit.stat_2954116742|25211","text":"Allocates Waning Hindrances","type":"explicit"},{"id":"explicit.stat_2954116742|42660","text":"Allocates Commanding Rage","type":"explicit"},{"id":"explicit.stat_2954116742|64443","text":"Allocates Impact Force","type":"explicit"},{"id":"explicit.stat_2954116742|59387","text":"Allocates Infusion of Power","type":"explicit"},{"id":"explicit.stat_2954116742|44917","text":"Allocates Self Mortification","type":"explicit"},{"id":"explicit.stat_2954116742|43944","text":"Allocates Instability","type":"explicit"},{"id":"explicit.stat_2954116742|49088","text":"Allocates Splintering Force","type":"explicit"},{"id":"explicit.stat_2954116742|9604","text":"Allocates Thirst of Kitava","type":"explicit"},{"id":"explicit.stat_2954116742|750","text":"Allocates Tribal Fury","type":"explicit"},{"id":"explicit.stat_2954116742|65256","text":"Allocates Widespread Coverage","type":"explicit"},{"id":"explicit.stat_2954116742|44005","text":"Allocates Casting Cascade","type":"explicit"},{"id":"explicit.stat_2954116742|35876","text":"Allocates Admonisher","type":"explicit"},{"id":"explicit.stat_2954116742|62887","text":"Allocates Living Death","type":"explicit"},{"id":"explicit.stat_2954116742|43250","text":"Allocates Adaptive Skin","type":"explicit"},{"id":"explicit.stat_2954116742|8607","text":"Allocates Lavianga's Brew","type":"explicit"},{"id":"explicit.stat_2954116742|47088","text":"Allocates Sic 'Em","type":"explicit"},{"id":"explicit.stat_2954116742|49550","text":"Allocates Prolonged Fury","type":"explicit"},{"id":"explicit.stat_2954116742|7341","text":"Allocates Ignore Pain","type":"explicit"},{"id":"explicit.stat_2954116742|24764","text":"Allocates Infusing Power","type":"explicit"},{"id":"explicit.stat_2954116742|14945","text":"Allocates Growing Swarm","type":"explicit"},{"id":"explicit.stat_2954116742|7128","text":"Allocates Dangerous Blossom","type":"explicit"},{"id":"explicit.stat_2954116742|9187","text":"Allocates Escalation","type":"explicit"},{"id":"explicit.stat_2954116742|7395","text":"Allocates Retaliation","type":"explicit"},{"id":"explicit.stat_2954116742|45777","text":"Allocates Hidden Barb","type":"explicit"},{"id":"explicit.stat_2954116742|10500","text":"Allocates Dazing Blocks","type":"explicit"},{"id":"explicit.stat_2954116742|57785","text":"Allocates Trained Turrets","type":"explicit"},{"id":"explicit.stat_2954116742|48240","text":"Allocates Quick Recovery","type":"explicit"},{"id":"explicit.stat_2954116742|20032","text":"Allocates Erraticism","type":"explicit"},{"id":"explicit.stat_2954116742|57921","text":"Allocates Wolf's Howl","type":"explicit"},{"id":"explicit.stat_2954116742|38111","text":"Allocates Pliable Flesh","type":"explicit"},{"id":"explicit.stat_2954116742|9328","text":"Allocates Spirit of the Bear","type":"explicit"},{"id":"explicit.stat_2954116742|30392","text":"Allocates Succour","type":"explicit"},{"id":"explicit.stat_2954116742|14761","text":"Allocates Warlord Leader","type":"explicit"},{"id":"explicit.stat_2954116742|27875","text":"Allocates General Electric","type":"explicit"},{"id":"explicit.stat_2954116742|55375","text":"Allocates Licking Wounds","type":"explicit"},{"id":"explicit.stat_3076483222|56025","text":"Sacrifice up to 3 Perfect Chaos Orbs to receive double on Trial completion","type":"explicit"},{"id":"explicit.stat_2954116742|26479","text":"Allocates Steadfast Resolve","type":"explicit"},{"id":"explicit.stat_2954116742|4579","text":"Allocates Unbothering Cold","type":"explicit"},{"id":"explicit.stat_2954116742|20414","text":"Allocates Reprisal","type":"explicit"},{"id":"explicit.stat_2954116742|31925","text":"Allocates Warding Fetish","type":"explicit"},{"id":"explicit.stat_2954116742|50389","text":"Allocates Twinned Tethers","type":"explicit"},{"id":"explicit.stat_2954116742|15030","text":"Allocates Consistent Intake","type":"explicit"},{"id":"explicit.stat_2954116742|63431","text":"Allocates Leeching Toxins","type":"explicit"},{"id":"explicit.stat_2954116742|26339","text":"Allocates Ancestral Artifice","type":"explicit"},{"id":"explicit.stat_2954116742|12750","text":"Allocates Vale Shelter","type":"explicit"},{"id":"explicit.stat_2954116742|37742","text":"Allocates Manifold Method","type":"explicit"},{"id":"explicit.stat_2954116742|32932","text":"Allocates Ichlotl's Inferno","type":"explicit"},{"id":"explicit.stat_2954116742|53921","text":"Allocates Unbreaking","type":"explicit"},{"id":"explicit.stat_2954116742|23362","text":"Allocates Slippery Ice","type":"explicit"},{"id":"explicit.stat_2954116742|47782","text":"Allocates Steady Footing","type":"explicit"},{"id":"explicit.stat_2954116742|20251","text":"Allocates Splitting Ground","type":"explicit"},{"id":"explicit.stat_2954116742|65468","text":"Allocates Repeating Explosives","type":"explicit"},{"id":"explicit.stat_2954116742|41935","text":"Allocates Hide of the Bear","type":"explicit"},{"id":"explicit.stat_2954116742|2999","text":"Allocates Final Barrage","type":"explicit"},{"id":"explicit.stat_2954116742|32858","text":"Allocates Dread Engineer's Concoction","type":"explicit"},{"id":"explicit.stat_2954116742|48974","text":"Allocates Altered Brain Chemistry","type":"explicit"},{"id":"explicit.stat_2954116742|42103","text":"Allocates Enduring Deflection","type":"explicit"},{"id":"explicit.stat_2954116742|31773","text":"Allocates Resurging Archon","type":"explicit"},{"id":"explicit.stat_2954116742|26356","text":"Allocates Primed to Explode","type":"explicit"},{"id":"explicit.stat_2954116742|52764","text":"Allocates Mystical Rage","type":"explicit"},{"id":"explicit.stat_2954116742|4544","text":"Allocates The Ancient Serpent","type":"explicit"},{"id":"explicit.stat_2954116742|4295","text":"Allocates Adverse Growth","type":"explicit"},{"id":"explicit.stat_2954116742|35809","text":"Allocates Reinvigoration","type":"explicit"},{"id":"explicit.stat_2954116742|58817","text":"Allocates Artillery Strike","type":"explicit"},{"id":"explicit.stat_2954116742|46024","text":"Allocates Sigil of Lightning","type":"explicit"},{"id":"explicit.stat_2954116742|27950","text":"Allocates Polished Iron","type":"explicit"},{"id":"explicit.stat_2954116742|10727","text":"Allocates Emboldening Casts","type":"explicit"},{"id":"explicit.stat_2954116742|14324","text":"Allocates Arcane Blossom","type":"explicit"},{"id":"explicit.stat_2954116742|43090","text":"Allocates Electrotherapy","type":"explicit"},{"id":"explicit.stat_2954116742|3348","text":"Allocates Spirit of the Wolf","type":"explicit"},{"id":"explicit.stat_2954116742|23244","text":"Allocates Bounty Hunter","type":"explicit"},{"id":"explicit.stat_2954116742|50253","text":"Allocates Aftershocks","type":"explicit"},{"id":"explicit.stat_2954116742|42347","text":"Allocates Chakra of Sight","type":"explicit"},{"id":"explicit.stat_2954116742|44753","text":"Allocates One With Flame","type":"explicit"},{"id":"explicit.stat_2954116742|36364","text":"Allocates Electrocution","type":"explicit"},{"id":"explicit.stat_2954116742|23630","text":"Allocates Self Immolation","type":"explicit"},{"id":"explicit.stat_2954116742|56237","text":"Allocates Enhancing Attacks","type":"explicit"},{"id":"explicit.stat_2954116742|1502","text":"Allocates Draiocht Cleansing","type":"explicit"},{"id":"explicit.stat_2954116742|64659","text":"Allocates Lasting Boons","type":"explicit"},{"id":"explicit.stat_2954116742|29881","text":"Allocates Surging Beast","type":"explicit"},{"id":"explicit.stat_2954116742|33585","text":"Allocates Unspoken Bond","type":"explicit"},{"id":"explicit.stat_2954116742|6514","text":"Allocates Cacophony","type":"explicit"},{"id":"explicit.stat_2954116742|45751","text":"Allocates Frightening Shield","type":"explicit"},{"id":"explicit.stat_2954116742|27761","text":"Allocates Counterstancing","type":"explicit"},{"id":"explicit.stat_2954116742|33099","text":"Allocates Hunter's Talisman","type":"explicit"},{"id":"explicit.stat_2954116742|16142","text":"Allocates Deep Freeze","type":"explicit"},{"id":"explicit.stat_2954116742|10772","text":"Allocates Bloodthirsty","type":"explicit"},{"id":"explicit.stat_2954116742|61104","text":"Allocates Staggering Wounds","type":"explicit"},{"id":"explicit.stat_2954116742|35028","text":"Allocates In the Thick of It","type":"explicit"},{"id":"explicit.stat_2954116742|45329","text":"Allocates Delayed Danger","type":"explicit"},{"id":"explicit.stat_2954116742|58215","text":"Allocates Sanguimantic Rituals","type":"explicit"},{"id":"explicit.stat_1559935218","text":"Causes Daze buildup equal to #% of Damage dealt","type":"explicit"},{"id":"explicit.stat_2954116742|9736","text":"Allocates Insulated Treads","type":"explicit"},{"id":"explicit.stat_2954116742|33229","text":"Allocates Haemorrhaging Cuts","type":"explicit"},{"id":"explicit.stat_2954116742|45612","text":"Allocates Defensive Reflexes","type":"explicit"},{"id":"explicit.stat_2954116742|53527","text":"Allocates Shattering Blow","type":"explicit"},{"id":"explicit.stat_2954116742|9290","text":"Allocates Rusted Pins","type":"explicit"},{"id":"explicit.stat_2954116742|1603","text":"Allocates Storm Driven","type":"explicit"},{"id":"explicit.stat_2954116742|29306","text":"Allocates Chakra of Thought","type":"explicit"},{"id":"explicit.stat_2954116742|63579","text":"Allocates Momentum","type":"explicit"},{"id":"explicit.stat_2954116742|7275","text":"Allocates Electrocuting Exposure","type":"explicit"},{"id":"explicit.stat_2954116742|60269","text":"Allocates Roil","type":"explicit"},{"id":"explicit.stat_2954116742|10612","text":"Allocates Embodiment of Frost","type":"explicit"},{"id":"explicit.stat_1132041585","text":"Virtuous","type":"explicit"},{"id":"explicit.stat_2954116742|33059","text":"Allocates Back in Action","type":"explicit"},{"id":"explicit.stat_2954116742|26447","text":"Allocates Refocus","type":"explicit"},{"id":"explicit.stat_2954116742|1169","text":"Allocates Urgent Call","type":"explicit"},{"id":"explicit.stat_2954116742|52245","text":"Allocates Distant Dreamer","type":"explicit"},{"id":"explicit.stat_2954116742|24087","text":"Allocates Everlasting Infusions","type":"explicit"},{"id":"explicit.stat_2954116742|56112","text":"Allocates Extinguishing Exhalation","type":"explicit"},{"id":"explicit.stat_2954116742|15374","text":"Allocates Hale Heart","type":"explicit"},{"id":"explicit.stat_2954116742|2645","text":"Allocates Skullcrusher","type":"explicit"},{"id":"explicit.stat_2954116742|31189","text":"Allocates Unexpected Finesse","type":"explicit"},{"id":"explicit.stat_2954116742|42760","text":"Allocates Chakra of Stability","type":"explicit"},{"id":"explicit.stat_2954116742|34553","text":"Allocates Emboldening Lead","type":"explicit"},{"id":"explicit.stat_2954116742|52803","text":"Allocates Hale Traveller","type":"explicit"},{"id":"explicit.stat_2954116742|16790","text":"Allocates Efficient Casting","type":"explicit"},{"id":"explicit.stat_2954116742|14383","text":"Allocates Suffusion","type":"explicit"},{"id":"explicit.stat_2954116742|49740","text":"Allocates Shattered Crystal","type":"explicit"},{"id":"explicit.stat_2954116742|37302","text":"Allocates Kept at Bay","type":"explicit"},{"id":"explicit.stat_2954116742|63739","text":"Allocates Vigorous Remnants","type":"explicit"},{"id":"explicit.stat_2954116742|51129","text":"Allocates Pile On","type":"explicit"},{"id":"explicit.stat_2954116742|22626","text":"Allocates Irreparable","type":"explicit"},{"id":"explicit.stat_2954116742|52229","text":"Allocates Secrets of the Orb","type":"explicit"},{"id":"explicit.stat_2954116742|64525","text":"Allocates Easy Target","type":"explicit"},{"id":"explicit.stat_2954116742|42070","text":"Allocates Saqawal's Guidance","type":"explicit"},{"id":"explicit.stat_2954116742|12998","text":"Allocates Warm the Heart","type":"explicit"},{"id":"explicit.stat_2954116742|50715","text":"Allocates Frozen Limit","type":"explicit"},{"id":"explicit.stat_2954116742|4810","text":"Allocates Sanguine Tolerance","type":"explicit"},{"id":"explicit.stat_2954116742|43633","text":"Allocates Energising Archon","type":"explicit"},{"id":"explicit.stat_2954116742|8881","text":"Allocates Unforgiving","type":"explicit"},{"id":"explicit.stat_2954116742|7542","text":"Allocates Encompassing Domain","type":"explicit"},{"id":"explicit.stat_2954116742|8916","text":"Allocates Bashing Beast","type":"explicit"},{"id":"explicit.stat_2954116742|28892","text":"Allocates Primal Rage","type":"explicit"},{"id":"explicit.stat_2954116742|13482","text":"Allocates Punctured Lung","type":"explicit"},{"id":"explicit.stat_2954116742|26104","text":"Allocates Spirit of the Wyvern","type":"explicit"},{"id":"explicit.stat_2954116742|40292","text":"Allocates Nimble Strength","type":"explicit"},{"id":"explicit.stat_2954116742|29899","text":"Allocates Finish Them","type":"explicit"},{"id":"explicit.stat_2954116742|5227","text":"Allocates Escape Strategy","type":"explicit"},{"id":"explicit.stat_2954116742|60273","text":"Allocates Hindering Obstacles","type":"explicit"},{"id":"explicit.stat_2954116742|43584","text":"Allocates Flare","type":"explicit"},{"id":"explicit.stat_2954116742|20558","text":"Allocates Among the Hordes","type":"explicit"},{"id":"explicit.stat_2954116742|21784","text":"Allocates Pack Encouragement","type":"explicit"},{"id":"explicit.stat_2954116742|32448","text":"Allocates Shockproof","type":"explicit"},{"id":"explicit.stat_2954116742|31326","text":"Allocates Slow Burn","type":"explicit"},{"id":"explicit.stat_2954116742|1087","text":"Allocates Shockwaves","type":"explicit"},{"id":"explicit.stat_2954116742|48649","text":"Allocates Insulating Hide","type":"explicit"},{"id":"explicit.stat_2954116742|38329","text":"Allocates Biting Frost","type":"explicit"},{"id":"explicit.stat_2954116742|12822","text":"Allocates Adaptable Assault","type":"explicit"},{"id":"explicit.stat_2954116742|50023","text":"Allocates Invigorating Grandeur","type":"explicit"},{"id":"explicit.stat_2954116742|40687","text":"Allocates Lead by Example","type":"explicit"},{"id":"explicit.stat_2954116742|35849","text":"Allocates Thickened Arteries","type":"explicit"},{"id":"explicit.stat_2954116742|40117","text":"Allocates Spiked Armour","type":"explicit"},{"id":"explicit.stat_2954116742|12245","text":"Allocates Arsonist","type":"explicit"},{"id":"explicit.stat_2954116742|94","text":"Allocates Efficient Killing","type":"explicit"},{"id":"explicit.stat_2954116742|11886","text":"Allocates Mauling Stuns","type":"explicit"},{"id":"explicit.stat_2954116742|35581","text":"Allocates Near at Hand","type":"explicit"},{"id":"explicit.stat_2954116742|48925","text":"Allocates Blessing of the Moon","type":"explicit"},{"id":"explicit.stat_2954116742|46124","text":"Allocates Arcane Remnants","type":"explicit"},{"id":"explicit.stat_2954116742|38532","text":"Allocates Thirst for Power","type":"explicit"},{"id":"explicit.stat_2954116742|44765","text":"Allocates Distracting Presence","type":"explicit"},{"id":"explicit.stat_2954116742|56988","text":"Allocates Electric Blood","type":"explicit"},{"id":"explicit.stat_2954116742|39884","text":"Allocates Searing Heat","type":"explicit"},{"id":"explicit.stat_2954116742|28613","text":"Allocates Roaring Cries","type":"explicit"},{"id":"explicit.stat_2954116742|13524","text":"Allocates Everlasting Glory","type":"explicit"},{"id":"explicit.stat_2954116742|41620","text":"Allocates Bear's Roar","type":"explicit"},{"id":"explicit.stat_2954116742|37408","text":"Allocates Staunching","type":"explicit"},{"id":"explicit.stat_2954116742|28441","text":"Allocates Frantic Swings","type":"explicit"},{"id":"explicit.stat_2954116742|22532","text":"Allocates Fearful Paralysis","type":"explicit"},{"id":"explicit.stat_2954116742|25620","text":"Allocates Meat Recycling","type":"explicit"},{"id":"explicit.stat_2954116742|56860","text":"Allocates Resolute Reprisal","type":"explicit"},{"id":"explicit.stat_4098286334","text":"Area has #% chance to contain an Essence","type":"explicit"},{"id":"explicit.stat_4098286334","text":"Your Maps have #% chance to contain an Essence","type":"explicit"},{"id":"explicit.stat_2954116742|37244","text":"Allocates Shield Expertise","type":"explicit"},{"id":"explicit.stat_3005701891","text":"Inflict Cold Exposure on Hit","type":"explicit"},{"id":"explicit.stat_2241560081","text":"#% increased Attack Speed per 25 Dexterity","type":"explicit"},{"id":"explicit.stat_2571125745","text":"Area has #% chance to contain a Shrine","type":"explicit"},{"id":"explicit.stat_2571125745","text":"Your Maps have #% chance to contain a Shrine","type":"explicit"},{"id":"explicit.stat_3200877707","text":"Skills have a #% chance to not consume Glory","type":"explicit"},{"id":"explicit.stat_2388936716","text":"Area has #% chance to contain a Strongbox","type":"explicit"},{"id":"explicit.stat_2388936716","text":"Your Maps have #% chance to contain a Strongbox","type":"explicit"},{"id":"explicit.stat_1314787770","text":"Map Boss has +#% chance to drop a Waystone of the current tier or higher","type":"explicit"},{"id":"explicit.stat_1416292992","text":"Has # Charm Slot","type":"explicit"},{"id":"explicit.stat_915546383","text":"Gain #% of Physical Damage as Extra Damage of a random Element","type":"explicit"},{"id":"explicit.stat_2625554454","text":"Every 10 seconds, gain a random non-damaging Shrine buff for 20 seconds","type":"explicit"},{"id":"explicit.stat_1157523820","text":"#% chance for Slam Skills to cause an additional Aftershock","type":"explicit"}]},{"id":"implicit","label":"Implicit","entries":[{"id":"implicit.stat_275498888","text":"Maximum Quality is #%","type":"implicit"},{"id":"implicit.stat_3917489142","text":"#% increased Rarity of Items found","type":"implicit"},{"id":"implicit.stat_4041853756","text":"Adds Irradiated to a Map \n# use remaining","type":"implicit"},{"id":"implicit.stat_3981240776","text":"# to Spirit","type":"implicit"},{"id":"implicit.stat_2923486259","text":"#% to Chaos Resistance","type":"implicit"},{"id":"implicit.stat_4220027924","text":"#% to Cold Resistance","type":"implicit"},{"id":"implicit.stat_789117908","text":"#% increased Mana Regeneration Rate","type":"implicit"},{"id":"implicit.stat_2901986750","text":"#% to all Elemental Resistances","type":"implicit"},{"id":"implicit.stat_1671376347","text":"#% to Lightning Resistance","type":"implicit"},{"id":"implicit.stat_1379411836","text":"# to all Attributes","type":"implicit"},{"id":"implicit.stat_3372524247","text":"#% to Fire Resistance","type":"implicit"},{"id":"implicit.stat_3299347043","text":"# to maximum Life","type":"implicit"},{"id":"implicit.stat_328541901","text":"# to Intelligence","type":"implicit"},{"id":"implicit.stat_3261801346","text":"# to Dexterity","type":"implicit"},{"id":"implicit.stat_3489782002","text":"# to maximum Energy Shield","type":"implicit"},{"id":"implicit.stat_2219129443","text":"Adds an Otherworldy Breach to a Map \n# use remaining","type":"implicit"},{"id":"implicit.stat_4080418644","text":"# to Strength","type":"implicit"},{"id":"implicit.stat_2891184298","text":"#% increased Cast Speed","type":"implicit"},{"id":"implicit.stat_1050105434","text":"# to maximum Mana","type":"implicit"},{"id":"implicit.stat_3032590688","text":"Adds # to # Physical Damage to Attacks","type":"implicit"},{"id":"implicit.stat_3325883026","text":"# Life Regeneration per second","type":"implicit"},{"id":"implicit.stat_958696139","text":"Grants 1 additional Skill Slot","type":"implicit"},{"id":"implicit.stat_1416292992","text":"Has # Charm Slot","type":"implicit"},{"id":"implicit.stat_3879011313","text":"Adds a Mirror of Delirium to a Map \n# use remaining","type":"implicit"},{"id":"implicit.stat_803737631","text":"# to Accuracy Rating","type":"implicit"},{"id":"implicit.stat_680068163","text":"#% increased Stun Threshold","type":"implicit"},{"id":"implicit.stat_3376302538","text":"Empowers the Map Boss of a Map \n# use remaining","type":"implicit"},{"id":"implicit.stat_2463230181","text":"#% Surpassing chance to fire an additional Arrow","type":"implicit"},{"id":"implicit.stat_2369421690","text":"Adds Abysses to a Map \n# use remaining","type":"implicit"},{"id":"implicit.stat_462041840","text":"#% of Flask Recovery applied Instantly","type":"implicit"},{"id":"implicit.stat_821241191","text":"#% increased Life Recovery from Flasks","type":"implicit"},{"id":"implicit.stat_681332047","text":"#% increased Attack Speed","type":"implicit"},{"id":"implicit.stat_548198834","text":"#% increased Melee Strike Range with this weapon","type":"implicit"},{"id":"implicit.stat_809229260","text":"# to Armour","type":"implicit"},{"id":"implicit.stat_1702195217","text":"#% to Block chance","type":"implicit"},{"id":"implicit.stat_1836676211","text":"#% increased Flask Charges gained","type":"implicit"},{"id":"implicit.stat_1980802737","text":"Grenade Skills Fire an additional Projectile","type":"implicit"},{"id":"implicit.stat_2194114101","text":"#% increased Critical Hit Chance for Attacks","type":"implicit"},{"id":"implicit.stat_3166002380","text":"Adds Ritual Altars to a Map \n# use remaining","type":"implicit"},{"id":"implicit.stat_2222186378","text":"#% increased Mana Recovery from Flasks","type":"implicit"},{"id":"implicit.stat_644456512","text":"#% reduced Flask Charges used","type":"implicit"},{"id":"implicit.stat_731781020","text":"Flasks gain # charges per Second","type":"implicit"},{"id":"implicit.stat_1389754388","text":"#% increased Charm Effect Duration","type":"implicit"},{"id":"implicit.stat_2250533757","text":"#% increased Movement Speed","type":"implicit"},{"id":"implicit.stat_1782086450","text":"#% faster start of Energy Shield Recharge","type":"implicit"},{"id":"implicit.stat_3585532255","text":"#% increased Charm Charges gained","type":"implicit"},{"id":"implicit.stat_1570770415","text":"#% reduced Charm Charges used","type":"implicit"},{"id":"implicit.stat_1714888636","text":"Adds a Kalguuran Expedition to a Map \n# use remaining","type":"implicit"},{"id":"implicit.stat_1573130764","text":"Adds # to # Fire damage to Attacks","type":"implicit"},{"id":"implicit.stat_924253255","text":"#% increased Slowing Potency of Debuffs on You","type":"implicit"},{"id":"implicit.stat_1541903247","text":"Causes Enemies to Explode on Critical kill, for #% of their Life as Physical Damage","type":"implicit"},{"id":"implicit.stat_3544800472","text":"#% increased Elemental Ailment Threshold","type":"implicit"},{"id":"implicit.stat_1967051901","text":"Loads an additional bolt","type":"implicit"},{"id":"implicit.stat_1803308202","text":"#% increased Bolt Speed","type":"implicit"},{"id":"implicit.stat_1207554355","text":"#% increased Arrow Speed","type":"implicit"},{"id":"implicit.stat_2321178454","text":"#% chance to Pierce an Enemy","type":"implicit"},{"id":"implicit.stat_2994271459","text":"Used when you take Cold damage from a Hit","type":"implicit"},{"id":"implicit.stat_3854901951","text":"Used when you take Fire damage from a Hit","type":"implicit"},{"id":"implicit.stat_2016937536","text":"Used when you take Lightning damage from a Hit","type":"implicit"},{"id":"implicit.stat_1810482573","text":"Used when you become Stunned","type":"implicit"},{"id":"implicit.stat_836936635","text":"Regenerate #% of maximum Life per second","type":"implicit"},{"id":"implicit.stat_3675300253","text":"Strikes deal Splash Damage","type":"implicit"},{"id":"implicit.stat_1028592286","text":"#% chance to Chain an additional time","type":"implicit"},{"id":"implicit.stat_1691862754","text":"Used when you become Frozen","type":"implicit"},{"id":"implicit.stat_2933846633","text":"Dazes on Hit","type":"implicit"},{"id":"implicit.stat_1412682799","text":"Used when you become Poisoned","type":"implicit"},{"id":"implicit.stat_1181501418","text":"# to Maximum Rage","type":"implicit"},{"id":"implicit.stat_791928121","text":"Causes #% increased Stun Buildup","type":"implicit"},{"id":"implicit.stat_1978899297","text":"#% to all Maximum Elemental Resistances","type":"implicit"},{"id":"implicit.stat_2778646494","text":"Used when you are affected by a Slow","type":"implicit"},{"id":"implicit.stat_3676540188","text":"Used when you start Bleeding","type":"implicit"},{"id":"implicit.stat_3954735777","text":"#% chance to Poison on Hit with Attacks","type":"implicit"},{"id":"implicit.stat_585126960","text":"Used when you become Ignited","type":"implicit"},{"id":"implicit.stat_624954515","text":"#% increased Accuracy Rating","type":"implicit"},{"id":"implicit.stat_2646093132","text":"Inflict Abyssal Wasting on Hit","type":"implicit"},{"id":"implicit.stat_4010341289","text":"Used when you kill a Rare or Unique enemy","type":"implicit"},{"id":"implicit.stat_3699444296","text":"Used when you become Shocked","type":"implicit"},{"id":"implicit.stat_2797971005","text":"Gain # Life per Enemy Hit with Attacks","type":"implicit"},{"id":"implicit.stat_2055966527","text":"Attacks have #% chance to cause Bleeding","type":"implicit"},{"id":"implicit.stat_2694482655","text":"#% to Critical Damage Bonus","type":"implicit"},{"id":"implicit.stat_239367161","text":"#% increased Stun Buildup","type":"implicit"},{"id":"implicit.stat_3398402065","text":"#% increased Projectile Range","type":"implicit"},{"id":"implicit.stat_3310778564","text":"Used when you take Chaos damage from a Hit","type":"implicit"},{"id":"implicit.stat_4219583418","text":"#% increased quantity of Artifacts dropped by Monsters","type":"implicit"},{"id":"implicit.stat_4219583418","text":"#% increased quantity of Artifacts dropped by Monsters in your Maps","type":"implicit"},{"id":"implicit.stat_1915989164","text":"Area contains #% increased number of Monster Markers","type":"implicit"},{"id":"implicit.stat_1539368271","text":"#% increased Expedition Explosive Placement Range","type":"implicit"},{"id":"implicit.stat_1539368271","text":"#% increased Expedition Explosive Placement Range in your Maps","type":"implicit"},{"id":"implicit.stat_2527686725","text":"#% increased Magnitude of Shock you inflict","type":"implicit"},{"id":"implicit.stat_2968503605","text":"#% increased Flammability Magnitude","type":"implicit"},{"id":"implicit.stat_1589917703","text":"Minions deal #% increased Damage","type":"implicit"},{"id":"implicit.stat_1871805225","text":"Remnants have #% chance to have an additional Suffix Modifier","type":"implicit"},{"id":"implicit.stat_1871805225","text":"Remnants in your Maps have #% chance to have an additional Suffix Modifier","type":"implicit"},{"id":"implicit.stat_1640965354","text":"Area contains #% increased number of Runic Monster Markers","type":"implicit"},{"id":"implicit.stat_1640965354","text":"Your Maps contain #% increased number of Runic Monster Markers","type":"implicit"},{"id":"implicit.stat_2991413918","text":"Area contains #% increased number of Remnants","type":"implicit"},{"id":"implicit.stat_3289828378","text":"#% increased Expedition Explosive Radius","type":"implicit"},{"id":"implicit.stat_3289828378","text":"#% increased Expedition Explosive Radius in your Maps","type":"implicit"},{"id":"implicit.stat_3051490307","text":"#% increased number of Explosives","type":"implicit"},{"id":"implicit.stat_3051490307","text":"#% increased number of Explosives in your Maps","type":"implicit"},{"id":"implicit.stat_718638445","text":"# Suffix Modifier allowed","type":"implicit"},{"id":"implicit.stat_3182714256","text":"# Prefix Modifier allowed","type":"implicit"},{"id":"implicit.stat_4160330571","text":"Area contains # additional Chest Marker","type":"implicit"},{"id":"implicit.stat_4160330571","text":"Expedition encounters in your Maps contain # additional Chest Marker","type":"implicit"},{"id":"implicit.stat_3362812763","text":"#% of Armour also applies to Elemental Damage","type":"implicit"},{"id":"implicit.stat_2251279027","text":"# to Level of all Corrupted Skill Gems","type":"implicit"},{"id":"implicit.stat_535217483","text":"#% increased Projectile Speed with this Weapon","type":"implicit"},{"id":"implicit.stat_2763429652","text":"#% chance to Maim on Hit","type":"implicit"},{"id":"implicit.stat_3828375170","text":"Bleeding you inflict deals Damage #% faster","type":"implicit"},{"id":"implicit.stat_1503146834","text":"Crushes Enemies on Hit","type":"implicit"},{"id":"implicit.stat_458438597","text":"#% of Damage is taken from Mana before Life","type":"implicit"},{"id":"implicit.stat_1444556985","text":"#% of Damage taken Recouped as Life","type":"implicit"},{"id":"implicit.stat_1434716233","text":"Warcries Empower an additional Attack","type":"implicit"},{"id":"implicit.stat_1745952865","text":"#% reduced Elemental Ailment Duration on you","type":"implicit"},{"id":"implicit.stat_3552135623","text":"Prevent #% of Damage from Deflected Hits","type":"implicit"},{"id":"implicit.stat_3855016469","text":"Hits against you have #% reduced Critical Damage Bonus","type":"implicit"},{"id":"implicit.stat_4126210832","text":"Always Hits","type":"implicit"},{"id":"implicit.stat_3239978999","text":"Excavated Chests have a #% chance to contain twice as many Items","type":"implicit"},{"id":"implicit.stat_1160596338","text":"Area contains an additional Underground Area","type":"implicit"},{"id":"implicit.stat_2590797182","text":"#% increased Movement Speed Penalty from using Skills while moving","type":"implicit"},{"id":"implicit.stat_3885405204","text":"Bow Attacks fire # additional Arrows","type":"implicit"},{"id":"implicit.stat_1574531783","text":"Culling Strike (Local)","type":"implicit"},{"id":"implicit.stat_1725749947","text":"Grants # Rage on Hit","type":"implicit"},{"id":"implicit.stat_669069897","text":"Leeches #% of Physical Damage as Mana","type":"implicit"},{"id":"implicit.stat_1443060084","text":"#% reduced Enemy Stun Threshold","type":"implicit"},{"id":"implicit.stat_1050883682","text":"Has no Accuracy Penalty from Range","type":"implicit"},{"id":"implicit.stat_1559935218","text":"Causes Daze buildup equal to #% of Damage dealt","type":"implicit"},{"id":"implicit.stat_4270348114","text":"Breaks # Armour on Critical Hit","type":"implicit"},{"id":"implicit.stat_1961849903","text":"Cannot use Projectile Attacks","type":"implicit"},{"id":"implicit.stat_3695891184","text":"Gain # Life per enemy killed","type":"implicit"},{"id":"implicit.stat_1451444093","text":"Bifurcates Critical Hits","type":"implicit"},{"id":"implicit.stat_1368271171","text":"Gain # Mana per enemy killed","type":"implicit"},{"id":"implicit.stat_3544050945","text":"#% of Spell Mana Cost Converted to Life Cost","type":"implicit"},{"id":"implicit.stat_3691641145","text":"#% increased Damage taken","type":"implicit"},{"id":"implicit.stat_1519615863","text":"#% chance to cause Bleeding on Hit","type":"implicit"},{"id":"implicit.stat_1137147997","text":"Unblockable","type":"implicit"}]},{"id":"fractured","label":"Fractured","entries":[{"id":"fractured.stat_3917489142","text":"#% increased Rarity of Items found","type":"fractured"},{"id":"fractured.stat_3981240776","text":"# to Spirit","type":"fractured"},{"id":"fractured.stat_518292764","text":"#% to Critical Hit Chance","type":"fractured"},{"id":"fractured.stat_1050105434","text":"# to maximum Mana","type":"fractured"},{"id":"fractured.stat_124131830","text":"# to Level of all Spell Skills","type":"fractured"},{"id":"fractured.stat_2974417149","text":"#% increased Spell Damage","type":"fractured"},{"id":"fractured.stat_1754445556","text":"Adds # to # Lightning damage to Attacks","type":"fractured"},{"id":"fractured.stat_1509134228","text":"#% increased Physical Damage","type":"fractured"},{"id":"fractured.stat_1202301673","text":"# to Level of all Projectile Skills","type":"fractured"},{"id":"fractured.stat_2891184298","text":"#% increased Cast Speed","type":"fractured"},{"id":"fractured.stat_4220027924","text":"#% to Cold Resistance","type":"fractured"},{"id":"fractured.stat_210067635","text":"#% increased Attack Speed (Local)","type":"fractured"},{"id":"fractured.stat_1671376347","text":"#% to Lightning Resistance","type":"fractured"},{"id":"fractured.stat_3372524247","text":"#% to Fire Resistance","type":"fractured"},{"id":"fractured.stat_4015621042","text":"#% increased Energy Shield","type":"fractured"},{"id":"fractured.stat_3299347043","text":"# to maximum Life","type":"fractured"},{"id":"fractured.stat_737908626","text":"#% increased Critical Hit Chance for Spells","type":"fractured"},{"id":"fractured.stat_1940865751","text":"Adds # to # Physical Damage","type":"fractured"},{"id":"fractured.stat_3556824919","text":"#% increased Critical Damage Bonus","type":"fractured"},{"id":"fractured.stat_4052037485","text":"# to maximum Energy Shield (Local)","type":"fractured"},{"id":"fractured.stat_328541901","text":"# to Intelligence","type":"fractured"},{"id":"fractured.stat_9187492","text":"# to Level of all Melee Skills","type":"fractured"},{"id":"fractured.stat_2482852589","text":"#% increased maximum Energy Shield","type":"fractured"},{"id":"fractured.stat_3336890334","text":"Adds # to # Lightning Damage","type":"fractured"},{"id":"fractured.stat_3261801346","text":"# to Dexterity","type":"fractured"},{"id":"fractured.stat_2250533757","text":"#% increased Movement Speed","type":"fractured"},{"id":"fractured.stat_3032590688","text":"Adds # to # Physical Damage to Attacks","type":"fractured"},{"id":"fractured.stat_587431675","text":"#% increased Critical Hit Chance","type":"fractured"},{"id":"fractured.stat_2901986750","text":"#% to all Elemental Resistances","type":"fractured"},{"id":"fractured.stat_3891355829|2","text":"Upgrades Radius to Large","type":"fractured"},{"id":"fractured.stat_691932474","text":"# to Accuracy Rating (Local)","type":"fractured"},{"id":"fractured.stat_789117908","text":"#% increased Mana Regeneration Rate","type":"fractured"},{"id":"fractured.stat_4080418644","text":"# to Strength","type":"fractured"},{"id":"fractured.stat_3489782002","text":"# to maximum Energy Shield","type":"fractured"},{"id":"fractured.stat_1573130764","text":"Adds # to # Fire damage to Attacks","type":"fractured"},{"id":"fractured.stat_2162097452","text":"# to Level of all Minion Skills","type":"fractured"},{"id":"fractured.stat_2923486259","text":"#% to Chaos Resistance","type":"fractured"},{"id":"fractured.stat_4067062424","text":"Adds # to # Cold damage to Attacks","type":"fractured"},{"id":"fractured.stat_387439868","text":"#% increased Elemental Damage with Attacks","type":"fractured"},{"id":"fractured.stat_3278136794","text":"Gain #% of Damage as Extra Lightning Damage","type":"fractured"},{"id":"fractured.stat_3325883026","text":"# Life Regeneration per second","type":"fractured"},{"id":"fractured.stat_2106365538","text":"#% increased Evasion Rating","type":"fractured"},{"id":"fractured.stat_53045048","text":"# to Evasion Rating (Local)","type":"fractured"},{"id":"fractured.stat_2254480358","text":"# to Level of all Cold Spell Skills","type":"fractured"},{"id":"fractured.stat_2505884597","text":"Gain #% of Damage as Extra Cold Damage","type":"fractured"},{"id":"fractured.stat_1999113824","text":"#% increased Evasion and Energy Shield","type":"fractured"},{"id":"fractured.stat_274716455","text":"#% increased Critical Spell Damage Bonus","type":"fractured"},{"id":"fractured.stat_803737631","text":"# to Accuracy Rating","type":"fractured"},{"id":"fractured.stat_3015669065","text":"Gain #% of Damage as Extra Fire Damage","type":"fractured"},{"id":"fractured.stat_709508406","text":"Adds # to # Fire Damage","type":"fractured"},{"id":"fractured.stat_1368271171","text":"Gain # Mana per enemy killed","type":"fractured"},{"id":"fractured.stat_1545858329","text":"# to Level of all Lightning Spell Skills","type":"fractured"},{"id":"fractured.stat_2081918629","text":"#% increased effect of Socketed Items","type":"fractured"},{"id":"fractured.stat_1379411836","text":"# to all Attributes","type":"fractured"},{"id":"fractured.stat_2231156303","text":"#% increased Lightning Damage","type":"fractured"},{"id":"fractured.stat_3695891184","text":"Gain # Life per enemy killed","type":"fractured"},{"id":"fractured.stat_1037193709","text":"Adds # to # Cold Damage","type":"fractured"},{"id":"fractured.stat_2866361420","text":"#% increased Armour","type":"fractured"},{"id":"fractured.stat_3639275092","text":"#% increased Attribute Requirements","type":"fractured"},{"id":"fractured.stat_681332047","text":"#% increased Attack Speed","type":"fractured"},{"id":"fractured.stat_3291658075","text":"#% increased Cold Damage","type":"fractured"},{"id":"fractured.stat_3714003708","text":"#% increased Critical Damage Bonus for Attack Damage","type":"fractured"},{"id":"fractured.stat_3885405204","text":"Bow Attacks fire # additional Arrows","type":"fractured"},{"id":"fractured.stat_2359002191","text":"Notable Passive Skills in Radius also grant #% increased Critical Damage Bonus","type":"fractured"},{"id":"fractured.stat_2694482655","text":"#% to Critical Damage Bonus","type":"fractured"},{"id":"fractured.stat_2194114101","text":"#% increased Critical Hit Chance for Attacks","type":"fractured"},{"id":"fractured.stat_3035140377","text":"# to Level of all Attack Skills","type":"fractured"},{"id":"fractured.stat_3033371881","text":"Gain Deflection Rating equal to #% of Evasion Rating","type":"fractured"},{"id":"fractured.stat_3984865854","text":"#% increased Spirit","type":"fractured"},{"id":"fractured.stat_2463230181","text":"#% Surpassing chance to fire an additional Arrow","type":"fractured"},{"id":"fractured.stat_669069897","text":"Leeches #% of Physical Damage as Mana","type":"fractured"},{"id":"fractured.stat_55876295","text":"Leeches #% of Physical Damage as Life","type":"fractured"},{"id":"fractured.stat_3141070085","text":"#% increased Elemental Damage","type":"fractured"},{"id":"fractured.stat_1263695895","text":"#% increased Light Radius","type":"fractured"},{"id":"fractured.stat_915769802","text":"# to Stun Threshold","type":"fractured"},{"id":"fractured.stat_2144192055","text":"# to Evasion Rating","type":"fractured"},{"id":"fractured.stat_4234573345","text":"#% increased Effect of Notable Passive Skills in Radius","type":"fractured"},{"id":"fractured.stat_736967255","text":"#% increased Chaos Damage","type":"fractured"},{"id":"fractured.stat_1062208444","text":"#% increased Armour (Local)","type":"fractured"},{"id":"fractured.stat_124859000","text":"#% increased Evasion Rating (Local)","type":"fractured"},{"id":"fractured.stat_1444556985","text":"#% of Damage taken Recouped as Life","type":"fractured"},{"id":"fractured.stat_2748665614","text":"#% increased maximum Mana","type":"fractured"},{"id":"fractured.stat_3484657501","text":"# to Armour (Local)","type":"fractured"},{"id":"fractured.stat_2466785537","text":"Notable Passive Skills in Radius also grant #% increased Critical Spell Damage Bonus","type":"fractured"},{"id":"fractured.stat_1600707273","text":"# to Level of all Physical Spell Skills","type":"fractured"},{"id":"fractured.stat_3759663284","text":"#% increased Projectile Speed","type":"fractured"},{"id":"fractured.stat_1389153006","text":"#% increased Global Defences","type":"fractured"},{"id":"fractured.stat_3962278098","text":"#% increased Fire Damage","type":"fractured"},{"id":"fractured.stat_472520716","text":"#% of Damage taken Recouped as Mana","type":"fractured"},{"id":"fractured.stat_1798257884","text":"Allies in your Presence deal #% increased Damage","type":"fractured"},{"id":"fractured.stat_1104825894","text":"#% faster Curse Activation","type":"fractured"},{"id":"fractured.stat_1241625305","text":"#% increased Damage with Bow Skills","type":"fractured"},{"id":"fractured.stat_3362812763","text":"#% of Armour also applies to Elemental Damage","type":"fractured"},{"id":"fractured.stat_983749596","text":"#% increased maximum Life","type":"fractured"},{"id":"fractured.stat_2557965901","text":"Leech #% of Physical Attack Damage as Life","type":"fractured"},{"id":"fractured.stat_2339757871","text":"#% increased Energy Shield Recharge Rate","type":"fractured"},{"id":"fractured.stat_821021828","text":"Grants # Life per Enemy Hit","type":"fractured"},{"id":"fractured.stat_1782086450","text":"#% faster start of Energy Shield Recharge","type":"fractured"},{"id":"fractured.stat_2077117738","text":"Notable Passive Skills in Radius also grant #% increased Critical Hit Chance","type":"fractured"},{"id":"fractured.stat_1200678966","text":"#% increased bonuses gained from Equipped Quiver","type":"fractured"},{"id":"fractured.stat_3321629045","text":"#% increased Armour and Energy Shield","type":"fractured"},{"id":"fractured.stat_101878827","text":"#% increased Presence Area of Effect","type":"fractured"},{"id":"fractured.stat_4226189338","text":"# to Level of all Chaos Spell Skills","type":"fractured"},{"id":"fractured.stat_1352561456","text":"Notable Passive Skills in Radius also grant #% increased Critical Damage Bonus for Attack Damage","type":"fractured"},{"id":"fractured.stat_2456523742","text":"#% increased Critical Damage Bonus with Spears","type":"fractured"},{"id":"fractured.stat_707457662","text":"Leech #% of Physical Attack Damage as Mana","type":"fractured"},{"id":"fractured.stat_1589917703","text":"Minions deal #% increased Damage","type":"fractured"},{"id":"fractured.stat_3665922113","text":"Small Passive Skills in Radius also grant #% increased maximum Energy Shield","type":"fractured"},{"id":"fractured.stat_2768835289","text":"#% increased Spell Physical Damage","type":"fractured"},{"id":"fractured.stat_791928121","text":"Causes #% increased Stun Buildup","type":"fractured"},{"id":"fractured.stat_2704905000","text":"Notable Passive Skills in Radius also grant #% increased Critical Hit Chance for Spells","type":"fractured"},{"id":"fractured.stat_591105508","text":"# to Level of all Fire Spell Skills","type":"fractured"},{"id":"fractured.stat_153777645","text":"#% increased Area of Effect of Curses","type":"fractured"},{"id":"fractured.stat_1881230714","text":"#% chance to gain Onslaught on Killing Hits with this Weapon","type":"fractured"},{"id":"fractured.stat_4180952808","text":"Notable Passive Skills in Radius also grant #% increased bonuses gained from Equipped Quiver","type":"fractured"},{"id":"fractured.stat_748522257","text":"#% increased Stun Duration","type":"fractured"},{"id":"fractured.stat_293638271","text":"#% increased chance to Shock","type":"fractured"},{"id":"fractured.stat_1137305356","text":"Small Passive Skills in Radius also grant #% increased Spell Damage","type":"fractured"},{"id":"fractured.stat_1022759479","text":"Notable Passive Skills in Radius also grant #% increased Cast Speed","type":"fractured"},{"id":"fractured.stat_3865605585","text":"Notable Passive Skills in Radius also grant #% increased Critical Hit Chance for Attacks","type":"fractured"},{"id":"fractured.stat_4019237939","text":"Gain #% of Damage as Extra Physical Damage","type":"fractured"},{"id":"fractured.stat_1604736568","text":"Recover #% of maximum Mana on Kill (Jewel)","type":"fractured"},{"id":"fractured.stat_2442527254","text":"Small Passive Skills in Radius also grant #% increased Cold Damage","type":"fractured"},{"id":"fractured.stat_3222402650","text":"Small Passive Skills in Radius also grant #% increased Elemental Damage","type":"fractured"},{"id":"fractured.stat_2954360902","text":"Small Passive Skills in Radius also grant Minions deal #% increased Damage","type":"fractured"},{"id":"fractured.stat_2968503605","text":"#% increased Flammability Magnitude","type":"fractured"},{"id":"fractured.stat_3891355829|1","text":"Upgrades Radius to Medium","type":"fractured"},{"id":"fractured.stat_473429811","text":"#% increased Freeze Buildup","type":"fractured"},{"id":"fractured.stat_1060572482","text":"#% increased Effect of Small Passive Skills in Radius","type":"fractured"},{"id":"fractured.stat_440490623","text":"#% increased Magnitude of Damaging Ailments you inflict with Critical Hits","type":"fractured"},{"id":"fractured.stat_1854213750","text":"Minions have #% increased Critical Damage Bonus","type":"fractured"},{"id":"fractured.stat_1967051901","text":"Loads an additional bolt","type":"fractured"},{"id":"fractured.stat_1896066427","text":"Small Passive Skills in Radius also grant Damage Penetrates #% Cold Resistance","type":"fractured"},{"id":"fractured.stat_3417711605","text":"Damage Penetrates #% Cold Resistance","type":"fractured"},{"id":"fractured.stat_289128254","text":"Allies in your Presence have #% increased Cast Speed","type":"fractured"},{"id":"fractured.stat_3067892458","text":"Triggered Spells deal #% increased Spell Damage","type":"fractured"},{"id":"fractured.stat_3859848445","text":"Notable Passive Skills in Radius also grant #% increased Area of Effect of Curses","type":"fractured"},{"id":"fractured.stat_3256879910","text":"Small Passive Skills in Radius also grant #% increased Mana Regeneration Rate","type":"fractured"},{"id":"fractured.stat_4092130601","text":"Notable Passive Skills in Radius also grant #% increased Magnitude of Damaging Ailments you inflict with Critical Hits","type":"fractured"},{"id":"fractured.stat_3106718406","text":"Notable Passive Skills in Radius also grant Minions have #% increased Attack and Cast Speed","type":"fractured"},{"id":"fractured.stat_1309799717","text":"Small Passive Skills in Radius also grant #% increased Chaos Damage","type":"fractured"},{"id":"fractured.stat_3394832998","text":"Notable Passive Skills in Radius also grant #% faster start of Energy Shield Recharge","type":"fractured"},{"id":"fractured.stat_4032352472","text":"Notable Passive Skills in Radius also grant #% increased Presence Area of Effect","type":"fractured"},{"id":"fractured.stat_3523867985","text":"#% increased Armour, Evasion and Energy Shield","type":"fractured"},{"id":"fractured.stat_3091578504","text":"Minions have #% increased Attack and Cast Speed","type":"fractured"},{"id":"fractured.stat_394473632","text":"Small Passive Skills in Radius also grant #% increased Flammability Magnitude","type":"fractured"},{"id":"fractured.stat_1303248024","text":"#% increased Magnitude of Ailments you inflict","type":"fractured"},{"id":"fractured.stat_2527686725","text":"#% increased Magnitude of Shock you inflict","type":"fractured"},{"id":"fractured.stat_2451402625","text":"#% increased Armour and Evasion","type":"fractured"},{"id":"fractured.stat_1423639565","text":"Minions have #% to all Elemental Resistances","type":"fractured"},{"id":"fractured.stat_1552666713","text":"Small Passive Skills in Radius also grant #% increased Energy Shield Recharge Rate","type":"fractured"},{"id":"fractured.stat_3850614073","text":"Allies in your Presence have #% to all Elemental Resistances","type":"fractured"},{"id":"fractured.stat_280731498","text":"#% increased Area of Effect","type":"fractured"},{"id":"fractured.stat_1998951374","text":"Allies in your Presence have #% increased Attack Speed","type":"fractured"},{"id":"fractured.stat_4010677958","text":"Allies in your Presence Regenerate # Life per second","type":"fractured"},{"id":"fractured.stat_1839076647","text":"#% increased Projectile Damage","type":"fractured"},{"id":"fractured.stat_770672621","text":"Minions have #% increased maximum Life","type":"fractured"},{"id":"fractured.stat_844449513","text":"Notable Passive Skills in Radius also grant #% increased Movement Speed","type":"fractured"},{"id":"fractured.stat_138421180","text":"Notable Passive Skills in Radius also grant #% increased Critical Damage Bonus with Spears","type":"fractured"},{"id":"fractured.stat_2726713579","text":"Notable Passive Skills in Radius also grant Recover #% of maximum Life on Kill","type":"fractured"},{"id":"fractured.stat_3225608889","text":"Small Passive Skills in Radius also grant Minions have #% to all Elemental Resistances","type":"fractured"},{"id":"fractured.stat_2347036682","text":"Allies in your Presence deal # to # added Attack Cold Damage","type":"fractured"},{"id":"fractured.stat_491450213","text":"Minions have #% increased Critical Hit Chance","type":"fractured"},{"id":"fractured.stat_2843214518","text":"#% increased Attack Damage","type":"fractured"},{"id":"fractured.stat_2321178454","text":"#% chance to Pierce an Enemy","type":"fractured"},{"id":"fractured.stat_3669820740","text":"Notable Passive Skills in Radius also grant #% of Damage taken Recouped as Life","type":"fractured"},{"id":"fractured.stat_849987426","text":"Allies in your Presence deal # to # added Attack Fire Damage","type":"fractured"},{"id":"fractured.stat_1321104829","text":"Notable Passive Skills in Radius also grant #% increased Magnitude of Ailments you inflict","type":"fractured"},{"id":"fractured.stat_4236566306","text":"Meta Skills gain #% increased Energy","type":"fractured"},{"id":"fractured.stat_4188894176","text":"#% increased Damage with Bows","type":"fractured"},{"id":"fractured.stat_2023107756","text":"Recover #% of maximum Life on Kill","type":"fractured"},{"id":"fractured.stat_1574590649","text":"Allies in your Presence deal # to # added Attack Physical Damage","type":"fractured"},{"id":"fractured.stat_3174700878","text":"#% increased Energy Shield from Equipped Focus","type":"fractured"},{"id":"fractured.stat_2854751904","text":"Allies in your Presence deal # to # added Attack Lightning Damage","type":"fractured"},{"id":"fractured.stat_473917671","text":"Small Passive Skills in Radius also grant Triggered Spells deal #% increased Spell Damage","type":"fractured"},{"id":"fractured.stat_986397080","text":"#% reduced Ignite Duration on you","type":"fractured"},{"id":"fractured.stat_2849546516","text":"Notable Passive Skills in Radius also grant Meta Skills gain #% increased Energy","type":"fractured"},{"id":"fractured.stat_2881298780","text":"# to # Physical Thorns damage","type":"fractured"},{"id":"fractured.stat_2160282525","text":"#% reduced Freeze Duration on you","type":"fractured"},{"id":"fractured.stat_2440073079","text":"#% increased Damage while Shapeshifted","type":"fractured"},{"id":"fractured.stat_1692879867","text":"#% increased Duration of Bleeding on You","type":"fractured"},{"id":"fractured.stat_3579898587","text":"Notable Passive Skills in Radius also grant #% increased Skill Speed while Shapeshifted","type":"fractured"},{"id":"fractured.stat_693237939","text":"Small Passive Skills in Radius also grant Gain additional Ailment Threshold equal to #% of maximum Energy Shield","type":"fractured"},{"id":"fractured.stat_1039268420","text":"Small Passive Skills in Radius also grant #% increased chance to Shock","type":"fractured"},{"id":"fractured.stat_2696027455","text":"#% increased Damage with Spears","type":"fractured"},{"id":"fractured.stat_2768899959","text":"Small Passive Skills in Radius also grant #% increased Lightning Damage","type":"fractured"},{"id":"fractured.stat_99927264","text":"#% reduced Shock duration on you","type":"fractured"},{"id":"fractured.stat_3513818125","text":"Small Passive Skills in Radius also grant #% increased Shock Duration","type":"fractured"},{"id":"fractured.stat_3628935286","text":"Notable Passive Skills in Radius also grant Minions have #% increased Critical Hit Chance","type":"fractured"},{"id":"fractured.stat_3824372849","text":"#% increased Curse Duration","type":"fractured"},{"id":"fractured.stat_525523040","text":"Notable Passive Skills in Radius also grant Recover #% of maximum Mana on Kill","type":"fractured"},{"id":"fractured.stat_3301100256","text":"#% increased Poison Duration on you","type":"fractured"},{"id":"fractured.stat_1874553720","text":"#% reduced Chill Duration on you","type":"fractured"},{"id":"fractured.stat_2272980012","text":"Notable Passive Skills in Radius also grant #% increased Duration of Damaging Ailments on Enemies","type":"fractured"},{"id":"fractured.stat_455816363","text":"Small Passive Skills in Radius also grant #% increased Projectile Damage","type":"fractured"},{"id":"fractured.stat_266564538","text":"Small Passive Skills in Radius also grant #% increased Damage while Shapeshifted","type":"fractured"},{"id":"fractured.stat_1653682082","text":"Small Passive Skills in Radius also grant Gain additional Stun Threshold equal to #% of maximum Energy Shield","type":"fractured"},{"id":"fractured.stat_1087108135","text":"Small Passive Skills in Radius also grant #% increased Curse Duration","type":"fractured"},{"id":"fractured.stat_3391917254","text":"Notable Passive Skills in Radius also grant #% increased Area of Effect","type":"fractured"},{"id":"fractured.stat_593241812","text":"Notable Passive Skills in Radius also grant Minions have #% increased Critical Damage Bonus","type":"fractured"},{"id":"fractured.stat_3787460122","text":"Offerings have #% increased Maximum Life","type":"fractured"},{"id":"fractured.stat_3057012405","text":"Allies in your Presence have #% increased Critical Damage Bonus","type":"fractured"},{"id":"fractured.stat_830345042","text":"Small Passive Skills in Radius also grant #% increased Freeze Threshold","type":"fractured"},{"id":"fractured.stat_416040624","text":"Gain additional Stun Threshold equal to #% of maximum Energy Shield","type":"fractured"},{"id":"fractured.stat_3668351662","text":"#% increased Shock Duration","type":"fractured"},{"id":"fractured.stat_253641217","text":"Notable Passive Skills in Radius also grant #% increased Ignite Magnitude","type":"fractured"},{"id":"fractured.stat_3791899485","text":"#% increased Ignite Magnitude","type":"fractured"},{"id":"fractured.stat_1250712710","text":"Allies in your Presence have #% increased Critical Hit Chance","type":"fractured"},{"id":"fractured.stat_2107703111","text":"Small Passive Skills in Radius also grant Offerings have #% increased Maximum Life","type":"fractured"},{"id":"fractured.stat_2797971005","text":"Gain # Life per Enemy Hit with Attacks","type":"fractured"},{"id":"fractured.stat_2822644689","text":"Notable Passive Skills in Radius also grant #% increased Attack Speed","type":"fractured"},{"id":"fractured.stat_3419203492","text":"Notable Passive Skills in Radius also grant #% increased Energy Shield from Equipped Focus","type":"fractured"},{"id":"fractured.stat_3759735052","text":"#% increased Attack Speed with Bows","type":"fractured"},{"id":"fractured.stat_1166140625","text":"Notable Passive Skills in Radius also grant #% increased Magnitude of Shock you inflict","type":"fractured"},{"id":"fractured.stat_3398301358","text":"Gain additional Ailment Threshold equal to #% of maximum Energy Shield","type":"fractured"},{"id":"fractured.stat_2809428780","text":"Small Passive Skills in Radius also grant #% increased Damage with Spears","type":"fractured"},{"id":"fractured.stat_1087531620","text":"Notable Passive Skills in Radius also grant #% increased Freeze Buildup","type":"fractured"},{"id":"fractured.stat_335885735","text":"Bears the Mark of the Abyssal Lord","type":"fractured"},{"id":"fractured.stat_1829102168","text":"#% increased Duration of Damaging Ailments on Enemies","type":"fractured"},{"id":"fractured.stat_533892981","text":"Small Passive Skills in Radius also grant #% increased Accuracy Rating","type":"fractured"},{"id":"fractured.stat_818778753","text":"Damage Penetrates #% Lightning Resistance","type":"fractured"},{"id":"fractured.stat_517664839","text":"Small Passive Skills in Radius also grant #% increased Damage with Crossbows","type":"fractured"},{"id":"fractured.stat_1590846356","text":"Small Passive Skills in Radius also grant #% increased Damage with Plant Skills","type":"fractured"},{"id":"fractured.stat_1426522529","text":"Small Passive Skills in Radius also grant #% increased Attack Damage","type":"fractured"},{"id":"fractured.stat_315791320","text":"Aura Skills have #% increased Magnitudes","type":"fractured"},{"id":"fractured.stat_918325986","text":"#% increased Skill Speed while Shapeshifted","type":"fractured"},{"id":"fractured.stat_462424929","text":"Notable Passive Skills in Radius also grant #% increased Magnitude of Poison you inflict","type":"fractured"},{"id":"fractured.stat_3113764475","text":"Notable Passive Skills in Radius also grant #% increased Skill Effect Duration","type":"fractured"},{"id":"fractured.stat_3780644166","text":"#% increased Freeze Threshold","type":"fractured"},{"id":"fractured.stat_61644361","text":"Notable Passive Skills in Radius also grant #% increased Chill Duration on Enemies","type":"fractured"},{"id":"fractured.stat_3485067555","text":"#% increased Chill Duration on Enemies","type":"fractured"},{"id":"fractured.stat_3771516363","text":"#% additional Physical Damage Reduction","type":"fractured"},{"id":"fractured.stat_1994296038","text":"Small Passive Skills in Radius also grant #% increased Evasion Rating","type":"fractured"},{"id":"fractured.stat_945774314","text":"Small Passive Skills in Radius also grant #% increased Damage with Bows","type":"fractured"},{"id":"fractured.stat_3169585282","text":"Allies in your Presence have # to Accuracy Rating","type":"fractured"},{"id":"fractured.stat_868556494","text":"Small Passive Skills in Radius also grant Damage Penetrates #% Lightning Resistance","type":"fractured"},{"id":"fractured.stat_2481353198","text":"#% increased Block chance (Local)","type":"fractured"},{"id":"fractured.stat_412709880","text":"Notable Passive Skills in Radius also grant #% increased chance to inflict Ailments","type":"fractured"},{"id":"fractured.stat_427684353","text":"#% increased Damage with Crossbows","type":"fractured"},{"id":"fractured.stat_715957346","text":"Notable Passive Skills in Radius also grant #% increased Attack Speed with Crossbows","type":"fractured"},{"id":"fractured.stat_3409275777","text":"Small Passive Skills in Radius also grant #% increased Elemental Ailment Threshold","type":"fractured"},{"id":"fractured.stat_2518900926","text":"#% increased Damage with Plant Skills","type":"fractured"},{"id":"fractured.stat_3377888098","text":"#% increased Skill Effect Duration","type":"fractured"},{"id":"fractured.stat_1165163804","text":"#% increased Attack Speed with Spears","type":"fractured"},{"id":"fractured.stat_1266413530","text":"Notable Passive Skills in Radius also grant #% increased Attack Speed with Spears","type":"fractured"},{"id":"fractured.stat_3641543553","text":"Notable Passive Skills in Radius also grant #% increased Attack Speed with Bows","type":"fractured"},{"id":"fractured.stat_980177976","text":"Small Passive Skills in Radius also grant #% increased Life Recovery from Flasks","type":"fractured"},{"id":"fractured.stat_127081978","text":"Notable Passive Skills in Radius also grant #% increased Freeze Buildup with Quarterstaves","type":"fractured"},{"id":"fractured.stat_1772247089","text":"#% increased chance to inflict Ailments","type":"fractured"},{"id":"fractured.stat_2256120736","text":"Notable Passive Skills in Radius also grant Debuffs on you expire #% faster","type":"fractured"},{"id":"fractured.stat_3676141501","text":"#% to Maximum Cold Resistance","type":"fractured"},{"id":"fractured.stat_2840989393","text":"Small Passive Skills in Radius also grant #% chance to Poison on Hit","type":"fractured"},{"id":"fractured.stat_3700202631","text":"Small Passive Skills in Radius also grant #% increased amount of Mana Leeched","type":"fractured"},{"id":"fractured.stat_1494950893","text":"Small Passive Skills in Radius also grant Companions deal #% increased Damage","type":"fractured"},{"id":"fractured.stat_2638756573","text":"Small Passive Skills in Radius also grant Companions have #% increased maximum Life","type":"fractured"},{"id":"fractured.stat_4045894391","text":"#% increased Damage with Quarterstaves","type":"fractured"},{"id":"fractured.stat_1777421941","text":"Notable Passive Skills in Radius also grant #% increased Projectile Speed","type":"fractured"},{"id":"fractured.stat_624954515","text":"#% increased Accuracy Rating","type":"fractured"},{"id":"fractured.stat_234296660","text":"Companions deal #% increased Damage","type":"fractured"},{"id":"fractured.stat_1238227257","text":"Debuffs on you expire #% faster","type":"fractured"},{"id":"fractured.stat_1135928777","text":"#% increased Attack Speed with Crossbows","type":"fractured"},{"id":"fractured.stat_21071013","text":"Herald Skills deal #% increased Damage","type":"fractured"},{"id":"fractured.stat_1852872083","text":"#% increased Damage with Hits against Rare and Unique Enemies","type":"fractured"},{"id":"fractured.stat_1697447343","text":"#% increased Freeze Buildup with Quarterstaves","type":"fractured"},{"id":"fractured.stat_1773308808","text":"Small Passive Skills in Radius also grant #% increased Flask Effect Duration","type":"fractured"},{"id":"fractured.stat_3088348485","text":"Small Passive Skills in Radius also grant #% increased Charm Effect Duration","type":"fractured"},{"id":"fractured.stat_3774951878","text":"Small Passive Skills in Radius also grant #% increased Mana Recovery from Flasks","type":"fractured"},{"id":"fractured.stat_458438597","text":"#% of Damage is taken from Mana before Life","type":"fractured"},{"id":"fractured.stat_255840549","text":"Small Passive Skills in Radius also grant #% increased Hazard Damage","type":"fractured"},{"id":"fractured.stat_2487305362","text":"#% increased Magnitude of Poison you inflict","type":"fractured"},{"id":"fractured.stat_656461285","text":"#% increased Intelligence","type":"fractured"},{"id":"fractured.stat_4101445926","text":"#% increased Mana Cost Efficiency","type":"fractured"},{"id":"fractured.stat_3855016469","text":"Hits against you have #% reduced Critical Damage Bonus","type":"fractured"},{"id":"fractured.stat_1389754388","text":"#% increased Charm Effect Duration","type":"fractured"},{"id":"fractured.stat_3752589831","text":"Small Passive Skills in Radius also grant #% increased Damage while you have an active Charm","type":"fractured"},{"id":"fractured.stat_3544800472","text":"#% increased Elemental Ailment Threshold","type":"fractured"},{"id":"fractured.stat_288364275","text":"Small Passive Skills in Radius also grant #% increased Projectile Damage if you've dealt a Melee Hit in the past eight seconds","type":"fractured"},{"id":"fractured.stat_2770044702","text":"Notable Passive Skills in Radius also grant #% increased Curse Magnitudes","type":"fractured"},{"id":"fractured.stat_3856744003","text":"Notable Passive Skills in Radius also grant #% increased Crossbow Reload Speed","type":"fractured"},{"id":"fractured.stat_2353576063","text":"#% increased Curse Magnitudes","type":"fractured"},{"id":"fractured.stat_2202308025","text":"Small Passive Skills in Radius also grant Mark Skills have #% increased Use Speed","type":"fractured"},{"id":"fractured.stat_221701169","text":"Notable Passive Skills in Radius also grant #% increased Poison Duration","type":"fractured"},{"id":"fractured.stat_4162678661","text":"Small Passive Skills in Radius also grant Mark Skills have #% increased Skill Effect Duration","type":"fractured"},{"id":"fractured.stat_2610562860","text":"Small Passive Skills in Radius also grant #% chance to Blind Enemies on Hit with Attacks","type":"fractured"},{"id":"fractured.stat_821241191","text":"#% increased Life Recovery from Flasks","type":"fractured"},{"id":"fractured.stat_1007380041","text":"Small Passive Skills in Radius also grant #% increased Parry Damage","type":"fractured"},{"id":"fractured.stat_1892122971","text":"Small Passive Skills in Radius also grant #% increased Damage if you have Consumed a Corpse Recently","type":"fractured"},{"id":"fractured.stat_2320654813","text":"Notable Passive Skills in Radius also grant #% increased Charm Charges gained","type":"fractured"},{"id":"fractured.stat_147764878","text":"Small Passive Skills in Radius also grant #% increased Damage with Hits against Rare and Unique Enemies","type":"fractured"},{"id":"fractured.stat_1323216174","text":"Notable Passive Skills in Radius also grant #% increased Duration of Ignite, Shock and Chill on Enemies","type":"fractured"},{"id":"fractured.stat_2954116742|28975","text":"Allocates Pure Power","type":"fractured"},{"id":"fractured.stat_538241406","text":"Damaging Ailments deal damage #% faster","type":"fractured"},{"id":"fractured.stat_3283482523","text":"#% increased Attack Speed with Quarterstaves","type":"fractured"},{"id":"fractured.stat_1756380435","text":"Small Passive Skills in Radius also grant Minions have #% to Chaos Resistance","type":"fractured"},{"id":"fractured.stat_1285594161","text":"Small Passive Skills in Radius also grant #% increased Accuracy Rating with Bows","type":"fractured"},{"id":"fractured.stat_3173882956","text":"Notable Passive Skills in Radius also grant Damaging Ailments deal damage #% faster","type":"fractured"},{"id":"fractured.stat_795138349","text":"#% chance to Poison on Hit","type":"fractured"},{"id":"fractured.stat_1805182458","text":"Companions have #% increased maximum Life","type":"fractured"},{"id":"fractured.stat_3585532255","text":"#% increased Charm Charges gained","type":"fractured"},{"id":"fractured.stat_3936121440","text":"Notable Passive Skills in Radius also grant #% increased Withered Magnitude","type":"fractured"},{"id":"fractured.stat_111835965","text":"Notable Passive Skills in Radius also grant #% increased Attack Speed with Quarterstaves","type":"fractured"},{"id":"fractured.stat_809229260","text":"# to Armour","type":"fractured"},{"id":"fractured.stat_2118708619","text":"#% increased Damage if you have Consumed a Corpse Recently","type":"fractured"},{"id":"fractured.stat_1944020877","text":"Notable Passive Skills in Radius also grant #% increased Pin Buildup","type":"fractured"},{"id":"fractured.stat_2374711847","text":"Notable Passive Skills in Radius also grant Offering Skills have #% increased Duration","type":"fractured"},{"id":"fractured.stat_2954116742|57388","text":"Allocates Overwhelming Strike","type":"fractured"},{"id":"fractured.stat_2954116742|50562","text":"Allocates Barbaric Strength","type":"fractured"},{"id":"fractured.stat_3837707023","text":"Minions have #% to Chaos Resistance","type":"fractured"},{"id":"fractured.stat_169946467","text":"#% increased Accuracy Rating with Bows","type":"fractured"},{"id":"fractured.stat_3973629633","text":"#% increased Withered Magnitude","type":"fractured"},{"id":"fractured.stat_3192728503","text":"#% increased Crossbow Reload Speed","type":"fractured"},{"id":"fractured.stat_654207792","text":"Small Passive Skills in Radius also grant #% increased Stun Threshold if you haven't been Stunned Recently","type":"fractured"},{"id":"fractured.stat_2421151933","text":"Small Passive Skills in Radius also grant #% increased Melee Damage if you've dealt a Projectile Attack Hit in the past eight seconds","type":"fractured"},{"id":"fractured.stat_1978899297","text":"#% to all Maximum Elemental Resistances","type":"fractured"},{"id":"fractured.stat_821948283","text":"Small Passive Skills in Radius also grant #% increased Damage with Quarterstaves","type":"fractured"},{"id":"fractured.stat_3741323227","text":"#% increased Flask Effect Duration","type":"fractured"},{"id":"fractured.stat_2954116742|30132","text":"Allocates Wrapped Quiver","type":"fractured"},{"id":"fractured.stat_3028809864","text":"#% increased Melee Damage if you've dealt a Projectile Attack Hit in the past eight seconds","type":"fractured"},{"id":"fractured.stat_2954116742|38535","text":"Allocates Stormcharged","type":"fractured"},{"id":"fractured.stat_1714971114","text":"Mark Skills have #% increased Use Speed","type":"fractured"},{"id":"fractured.stat_2954116742|56776","text":"Allocates Cooked","type":"fractured"},{"id":"fractured.stat_734614379","text":"#% increased Strength","type":"fractured"},{"id":"fractured.stat_2066964205","text":"Notable Passive Skills in Radius also grant #% increased Flask Charges gained","type":"fractured"},{"id":"fractured.stat_2954116742|7809","text":"Allocates Wild Storm","type":"fractured"},{"id":"fractured.stat_3473929743","text":"#% increased Pin Buildup","type":"fractured"},{"id":"fractured.stat_2222186378","text":"#% increased Mana Recovery from Flasks","type":"fractured"},{"id":"fractured.stat_1836676211","text":"#% increased Flask Charges gained","type":"fractured"},{"id":"fractured.stat_1718147982","text":"#% increased Minion Accuracy Rating","type":"fractured"},{"id":"fractured.stat_44972811","text":"#% increased Life Regeneration rate","type":"fractured"},{"id":"fractured.stat_2839066308","text":"#% increased amount of Mana Leeched","type":"fractured"},{"id":"fractured.stat_2954116742|55193","text":"Allocates Subterfuge Mask","type":"fractured"},{"id":"fractured.stat_2954116742|27303","text":"Allocates Vulgar Methods","type":"fractured"},{"id":"fractured.stat_1846980580","text":"Notable Passive Skills in Radius also grant # to Maximum Rage","type":"fractured"},{"id":"fractured.stat_318953428","text":"#% chance to Blind Enemies on Hit with Attacks","type":"fractured"},{"id":"fractured.stat_2957407601","text":"Offering Skills have #% increased Duration","type":"fractured"},{"id":"fractured.stat_2954116742|26107","text":"Allocates Kite Runner","type":"fractured"},{"id":"fractured.stat_1697951953","text":"#% increased Hazard Damage","type":"fractured"},{"id":"fractured.stat_1405298142","text":"#% increased Stun Threshold if you haven't been Stunned Recently","type":"fractured"},{"id":"fractured.stat_4095671657","text":"#% to Maximum Fire Resistance","type":"fractured"},{"id":"fractured.stat_2594634307","text":"Mark Skills have #% increased Skill Effect Duration","type":"fractured"},{"id":"fractured.stat_2011656677","text":"#% increased Poison Duration","type":"fractured"},{"id":"fractured.stat_3065378291","text":"Small Passive Skills in Radius also grant Herald Skills deal #% increased Damage","type":"fractured"},{"id":"fractured.stat_4139681126","text":"#% increased Dexterity","type":"fractured"},{"id":"fractured.stat_2709646369","text":"Notable Passive Skills in Radius also grant #% of Damage is taken from Mana before Life","type":"fractured"},{"id":"fractured.stat_2954116742|16618","text":"Allocates Jack of all Trades","type":"fractured"},{"id":"fractured.stat_3175163625","text":"#% increased Quantity of Gold Dropped by Slain Enemies","type":"fractured"},{"id":"fractured.stat_2954116742|56265","text":"Allocates Throatseeker","type":"fractured"},{"id":"fractured.stat_2954116742|39881","text":"Allocates Staggering Palm","type":"fractured"},{"id":"fractured.stat_4215035940","text":"On Corruption, Item gains two Enchantments","type":"fractured"},{"id":"fractured.stat_1062710370","text":"#% increased Duration of Ignite, Shock and Chill on Enemies","type":"fractured"},{"id":"fractured.stat_1185341308","text":"Notable Passive Skills in Radius also grant #% increased Life Regeneration rate","type":"fractured"},{"id":"fractured.stat_378796798","text":"Small Passive Skills in Radius also grant Minions have #% increased maximum Life","type":"fractured"},{"id":"fractured.stat_2954116742|31172","text":"Allocates Falcon Technique","type":"fractured"},{"id":"fractured.stat_2969557004","text":"Notable Passive Skills in Radius also grant Gain # Rage on Melee Hit","type":"fractured"},{"id":"fractured.stat_51994685","text":"#% increased Flask Life Recovery rate","type":"fractured"},{"id":"fractured.stat_2954116742|57204","text":"Allocates Critical Exploit","type":"fractured"},{"id":"fractured.stat_2954116742|21935","text":"Allocates Calibration","type":"fractured"},{"id":"fractured.stat_3003542304","text":"Projectiles have #% chance for an additional Projectile when Forking","type":"fractured"},{"id":"fractured.stat_2954116742|8827","text":"Allocates Fast Metabolism","type":"fractured"},{"id":"fractured.stat_3146310524","text":"Dazes on Hit","type":"fractured"},{"id":"fractured.stat_1011760251","text":"#% to Maximum Lightning Resistance","type":"fractured"},{"id":"fractured.stat_2580617872","text":"Notable Passive Skills in Radius also grant #% increased Slowing Potency of Debuffs on You","type":"fractured"},{"id":"fractured.stat_1800303440","text":"Notable Passive Skills in Radius also grant #% chance to Pierce an Enemy","type":"fractured"},{"id":"fractured.stat_2954116742|22864","text":"Allocates Tainted Strike","type":"fractured"},{"id":"fractured.stat_179541474","text":"Notable Passive Skills in Radius also grant #% increased Effect of your Mark Skills","type":"fractured"},{"id":"fractured.stat_2709367754","text":"Gain # Rage on Melee Hit","type":"fractured"},{"id":"fractured.stat_4258720395","text":"Notable Passive Skills in Radius also grant Projectiles have #% chance for an additional Projectile when Forking","type":"fractured"},{"id":"fractured.stat_2334956771","text":"Notable Passive Skills in Radius also grant Projectiles have #% chance to Chain an additional time from terrain","type":"fractured"},{"id":"fractured.stat_2907381231","text":"Notable Passive Skills in Radius also grant #% increased Glory generation for Banner Skills","type":"fractured"},{"id":"fractured.stat_2954116742|58016","text":"Allocates All Natural","type":"fractured"},{"id":"fractured.stat_3596695232","text":"#% increased Projectile Damage if you've dealt a Melee Hit in the past eight seconds","type":"fractured"},{"id":"fractured.stat_3666476747","text":"Small Passive Skills in Radius also grant #% increased amount of Life Leeched","type":"fractured"},{"id":"fractured.stat_1004011302","text":"#% increased Cooldown Recovery Rate","type":"fractured"},{"id":"fractured.stat_4258000627","text":"Small Passive Skills in Radius also grant Dazes on Hit","type":"fractured"},{"id":"fractured.stat_2954116742|62230","text":"Allocates Patient Barrier","type":"fractured"},{"id":"fractured.stat_2954116742|13724","text":"Allocates Deadly Force","type":"fractured"},{"id":"fractured.stat_1569159338","text":"#% increased Parry Damage","type":"fractured"},{"id":"fractured.stat_1181501418","text":"# to Maximum Rage","type":"fractured"},{"id":"fractured.stat_1417267954","text":"Small Passive Skills in Radius also grant #% increased Global Physical Damage","type":"fractured"},{"id":"fractured.stat_2108821127","text":"Small Passive Skills in Radius also grant #% increased Totem Damage","type":"fractured"},{"id":"fractured.stat_3749502527","text":"#% chance to gain Volatility on Kill","type":"fractured"},{"id":"fractured.stat_627767961","text":"#% increased Damage while you have an active Charm","type":"fractured"},{"id":"fractured.stat_1316278494","text":"#% increased Warcry Speed","type":"fractured"},{"id":"fractured.stat_3171212276","text":"Notable Passive Skills in Radius also grant #% increased Mana Flask Charges gained","type":"fractured"},{"id":"fractured.stat_2954116742|16816","text":"Allocates Pinpoint Shot","type":"fractured"},{"id":"fractured.stat_2954116742|5728","text":"Allocates Ancient Aegis","type":"fractured"},{"id":"fractured.stat_2131720304","text":"Notable Passive Skills in Radius also grant Gain # Rage when Hit by an Enemy","type":"fractured"},{"id":"fractured.stat_1852184471","text":"Small Passive Skills in Radius also grant #% increased Damage with Maces","type":"fractured"},{"id":"fractured.stat_1412217137","text":"#% increased Flask Mana Recovery rate","type":"fractured"},{"id":"fractured.stat_2690740379","text":"Small Passive Skills in Radius also grant Banner Skills have #% increased Duration","type":"fractured"},{"id":"fractured.stat_30438393","text":"Small Passive Skills in Radius also grant Minions have #% additional Physical Damage Reduction","type":"fractured"},{"id":"fractured.stat_484792219","text":"Small Passive Skills in Radius also grant #% increased Stun Threshold","type":"fractured"},{"id":"fractured.stat_2954116742|21380","text":"Allocates Preemptive Strike","type":"fractured"},{"id":"fractured.stat_1337740333","text":"Small Passive Skills in Radius also grant #% increased Melee Damage","type":"fractured"},{"id":"fractured.stat_2954116742|44566","text":"Allocates Lightning Rod","type":"fractured"},{"id":"fractured.stat_391602279","text":"Notable Passive Skills in Radius also grant #% increased Magnitude of Bleeding you inflict","type":"fractured"},{"id":"fractured.stat_2954116742|20677","text":"Allocates For the Jugular","type":"fractured"},{"id":"fractured.stat_2954116742|55149","text":"Allocates Pure Chaos","type":"fractured"},{"id":"fractured.stat_2954116742|13407","text":"Allocates Heartbreaking","type":"fractured"},{"id":"fractured.stat_2954116742|25513","text":"Allocates Overwhelm","type":"fractured"},{"id":"fractured.stat_924253255","text":"#% increased Slowing Potency of Debuffs on You","type":"fractured"},{"id":"fractured.stat_1594812856","text":"#% increased Damage with Warcries","type":"fractured"},{"id":"fractured.stat_2954116742|44299","text":"Allocates Enhanced Barrier","type":"fractured"},{"id":"fractured.stat_1310194496","text":"#% increased Global Physical Damage","type":"fractured"},{"id":"fractured.stat_3243034867","text":"Notable Passive Skills in Radius also grant Aura Skills have #% increased Magnitudes","type":"fractured"},{"id":"fractured.stat_2954116742|45599","text":"Allocates Lay Siege","type":"fractured"},{"id":"fractured.stat_2954116742|34473","text":"Allocates Spaghettification","type":"fractured"},{"id":"fractured.stat_2954116742|19044","text":"Allocates Arcane Intensity","type":"fractured"},{"id":"fractured.stat_713216632","text":"Notable Passive Skills in Radius also grant #% increased Defences from Equipped Shield","type":"fractured"},{"id":"fractured.stat_2954116742|5703","text":"Allocates Echoing Thunder","type":"fractured"},{"id":"fractured.stat_139889694","text":"Small Passive Skills in Radius also grant #% increased Fire Damage","type":"fractured"},{"id":"fractured.stat_2954116742|5802","text":"Allocates Stand and Deliver","type":"fractured"},{"id":"fractured.stat_2954116742|60034","text":"Allocates Falcon Dive","type":"fractured"},{"id":"fractured.stat_4173554949","text":"Notable Passive Skills in Radius also grant #% increased Stun Buildup","type":"fractured"},{"id":"fractured.stat_2954116742|46060","text":"Allocates Voracious","type":"fractured"},{"id":"fractured.stat_2954116742|1823","text":"Allocates Illuminated Crown","type":"fractured"},{"id":"fractured.stat_1432756708","text":"Small Passive Skills in Radius also grant Damage Penetrates #% Fire Resistance","type":"fractured"},{"id":"fractured.stat_2954116742|12337","text":"Allocates Flash Storm","type":"fractured"},{"id":"fractured.stat_2954116742|10681","text":"Allocates Defensive Stance","type":"fractured"},{"id":"fractured.stat_2954116742|36085","text":"Allocates Serrated Edges","type":"fractured"},{"id":"fractured.stat_2954116742|46197","text":"Allocates Careful Assassin","type":"fractured"},{"id":"fractured.stat_2954116742|13738","text":"Allocates Lightning Quick","type":"fractured"},{"id":"fractured.stat_2954116742|41580","text":"Allocates Maiming Strike","type":"fractured"},{"id":"fractured.stat_4081947835","text":"Projectiles have #% chance to Chain an additional time from terrain","type":"fractured"},{"id":"fractured.stat_442393998","text":"Small Passive Skills in Radius also grant #% increased Totem Life","type":"fractured"},{"id":"fractured.stat_2954116742|1546","text":"Allocates Spiral into Depression","type":"fractured"},{"id":"fractured.stat_2954116742|43082","text":"Allocates Acceleration","type":"fractured"},{"id":"fractured.stat_2954116742|28044","text":"Allocates Coming Calamity","type":"fractured"},{"id":"fractured.stat_1495814176","text":"Notable Passive Skills in Radius also grant #% increased Stun Threshold while Parrying","type":"fractured"},{"id":"fractured.stat_2954116742|19125","text":"Allocates Potent Incantation","type":"fractured"},{"id":"fractured.stat_2954116742|32976","text":"Allocates Gem Enthusiast","type":"fractured"},{"id":"fractured.stat_2954116742|2394","text":"Allocates Blade Flurry","type":"fractured"},{"id":"fractured.stat_2954116742|60764","text":"Allocates Feathered Fletching","type":"fractured"},{"id":"fractured.stat_1514844108","text":"Notable Passive Skills in Radius also grant #% increased Parried Debuff Duration","type":"fractured"},{"id":"fractured.stat_2954116742|21537","text":"Allocates Fervour","type":"fractured"},{"id":"fractured.stat_1160637284","text":"Small Passive Skills in Radius also grant #% increased Damage with Warcries","type":"fractured"},{"id":"fractured.stat_1911237468","text":"#% increased Stun Threshold while Parrying","type":"fractured"},{"id":"fractured.stat_2954116742|57379","text":"Allocates In Your Face","type":"fractured"},{"id":"fractured.stat_4147897060","text":"#% increased Block chance","type":"fractured"},{"id":"fractured.stat_2954116742|11526","text":"Allocates Sniper","type":"fractured"},{"id":"fractured.stat_2954116742|17340","text":"Allocates Adrenaline Rush","type":"fractured"},{"id":"fractured.stat_2954116742|34324","text":"Allocates Spectral Ward","type":"fractured"},{"id":"fractured.stat_2954116742|116","text":"Allocates Insightfulness","type":"fractured"},{"id":"fractured.stat_2912416697","text":"Notable Passive Skills in Radius also grant #% increased Blind Effect","type":"fractured"},{"id":"fractured.stat_2954116742|17548","text":"Allocates Moment of Truth","type":"fractured"},{"id":"fractured.stat_2954116742|28267","text":"Allocates Desensitisation","type":"fractured"},{"id":"fractured.stat_2954116742|10265","text":"Allocates Javelin","type":"fractured"},{"id":"fractured.stat_2954116742|52618","text":"Allocates Boon of the Beast","type":"fractured"},{"id":"fractured.stat_872504239","text":"#% increased Stun Buildup with Maces","type":"fractured"},{"id":"fractured.stat_2954116742|44330","text":"Allocates Coated Arms","type":"fractured"},{"id":"fractured.stat_2954116742|6229","text":"Allocates Push the Advantage","type":"fractured"},{"id":"fractured.stat_2954116742|19715","text":"Allocates Cremation","type":"fractured"},{"id":"fractured.stat_239367161","text":"#% increased Stun Buildup","type":"fractured"},{"id":"fractured.stat_793875384","text":"Small Passive Skills in Radius also grant #% increased Minion Accuracy Rating","type":"fractured"},{"id":"fractured.stat_2149603090","text":"Notable Passive Skills in Radius also grant #% increased Cooldown Recovery Rate","type":"fractured"},{"id":"fractured.stat_2954116742|18496","text":"Allocates Lasting Trauma","type":"fractured"},{"id":"fractured.stat_3292710273","text":"Gain # Rage when Hit by an Enemy","type":"fractured"},{"id":"fractured.stat_2976476845","text":"Notable Passive Skills in Radius also grant #% increased Knockback Distance","type":"fractured"},{"id":"fractured.stat_2954116742|10423","text":"Allocates Exposed to the Inferno","type":"fractured"},{"id":"fractured.stat_712554801","text":"#% increased Effect of your Mark Skills","type":"fractured"},{"id":"fractured.stat_2954116742|17882","text":"Allocates Volatile Grenades","type":"fractured"},{"id":"fractured.stat_2954116742|372","text":"Allocates Heatproof","type":"fractured"},{"id":"fractured.stat_2392824305","text":"Notable Passive Skills in Radius also grant #% increased Stun Buildup with Maces","type":"fractured"},{"id":"fractured.stat_2954116742|17372","text":"Allocates Reaching Strike","type":"fractured"},{"id":"fractured.stat_2954116742|8273","text":"Allocates Endless Circuit","type":"fractured"},{"id":"fractured.stat_2954116742|9472","text":"Allocates Catapult","type":"fractured"},{"id":"fractured.stat_2954116742|39369","text":"Allocates Struck Through","type":"fractured"},{"id":"fractured.stat_2954116742|9020","text":"Allocates Giantslayer","type":"fractured"},{"id":"fractured.stat_2954116742|43944","text":"Allocates Instability","type":"fractured"},{"id":"fractured.stat_2653955271","text":"Damage Penetrates #% Fire Resistance","type":"fractured"},{"id":"fractured.stat_3851254963","text":"#% increased Totem Damage","type":"fractured"},{"id":"fractured.stat_2954116742|29527","text":"Allocates First Approach","type":"fractured"},{"id":"fractured.stat_2954116742|12611","text":"Allocates Harness the Elements","type":"fractured"},{"id":"fractured.stat_2954116742|52199","text":"Allocates Overexposure","type":"fractured"},{"id":"fractured.stat_942519401","text":"Notable Passive Skills in Radius also grant #% increased Life Flask Charges gained","type":"fractured"},{"id":"fractured.stat_1602294220","text":"Small Passive Skills in Radius also grant #% increased Warcry Speed","type":"fractured"},{"id":"fractured.stat_2954116742|11826","text":"Allocates Heavy Ammunition","type":"fractured"},{"id":"fractured.stat_944643028","text":"Small Passive Skills in Radius also grant #% chance to inflict Bleeding on Hit","type":"fractured"},{"id":"fractured.stat_2954116742|44756","text":"Allocates Marked Agility","type":"fractured"},{"id":"fractured.stat_1276056105","text":"#% increased Gold found in this Area (Gold Piles)","type":"fractured"},{"id":"fractured.stat_1276056105","text":"#% increased Gold found in your Maps (Gold Piles)","type":"fractured"},{"id":"fractured.stat_2954116742|30408","text":"Allocates Efficient Contraptions","type":"fractured"},{"id":"fractured.stat_1145481685","text":"Small Passive Skills in Radius also grant #% increased Totem Placement speed","type":"fractured"},{"id":"fractured.stat_2954116742|10998","text":"Allocates Strong Chin","type":"fractured"},{"id":"fractured.stat_2954116742|6178","text":"Allocates Power Shots","type":"fractured"},{"id":"fractured.stat_2954116742|29372","text":"Allocates Sudden Infuriation","type":"fractured"},{"id":"fractured.stat_2954116742|47635","text":"Allocates Overload","type":"fractured"},{"id":"fractured.stat_2954116742|40990","text":"Allocates Exposed to the Storm","type":"fractured"},{"id":"fractured.stat_2954116742|46972","text":"Allocates Arcane Mixtures","type":"fractured"},{"id":"fractured.stat_2954116742|18505","text":"Allocates Crushing Verdict","type":"fractured"},{"id":"fractured.stat_2954116742|56806","text":"Allocates Swift Blocking","type":"fractured"},{"id":"fractured.stat_2954116742|28963","text":"Allocates Chakra of Rhythm","type":"fractured"},{"id":"fractured.stat_2954116742|51707","text":"Allocates Enhanced Reflexes","type":"fractured"},{"id":"fractured.stat_2954116742|59720","text":"Allocates Beastial Skin","type":"fractured"},{"id":"fractured.stat_2954116742|17854","text":"Allocates Escape Velocity","type":"fractured"},{"id":"fractured.stat_2954116742|17260","text":"Allocates Piercing Claw","type":"fractured"},{"id":"fractured.stat_2954116742|64240","text":"Allocates Battle Fever","type":"fractured"},{"id":"fractured.stat_2954116742|3985","text":"Allocates Forces of Nature","type":"fractured"},{"id":"fractured.stat_2954116742|3688","text":"Allocates Dynamism","type":"fractured"},{"id":"fractured.stat_2954116742|15083","text":"Allocates Power Conduction","type":"fractured"},{"id":"fractured.stat_2954116742|4238","text":"Allocates Versatile Arms","type":"fractured"},{"id":"fractured.stat_2954116742|64119","text":"Allocates Rapid Reload","type":"fractured"},{"id":"fractured.stat_680068163","text":"#% increased Stun Threshold","type":"fractured"},{"id":"fractured.stat_145497481","text":"#% increased Defences from Equipped Shield","type":"fractured"},{"id":"fractured.stat_2954116742|58939","text":"Allocates Dispatch Foes","type":"fractured"},{"id":"fractured.stat_2954116742|56714","text":"Allocates Swift Flight","type":"fractured"},{"id":"fractured.stat_2954116742|39567","text":"Allocates Ingenuity","type":"fractured"},{"id":"fractured.stat_2954116742|22811","text":"Allocates The Wild Cat","type":"fractured"},{"id":"fractured.stat_2954116742|3894","text":"Allocates Eldritch Will","type":"fractured"},{"id":"fractured.stat_2954116742|32353","text":"Allocates Swift Claw","type":"fractured"},{"id":"fractured.stat_2954116742|47316","text":"Allocates Goring","type":"fractured"},{"id":"fractured.stat_2954116742|51867","text":"Allocates Finality","type":"fractured"},{"id":"fractured.stat_2954116742|39050","text":"Allocates Exploit","type":"fractured"},{"id":"fractured.stat_2954116742|55","text":"Allocates Fast Acting Toxins","type":"fractured"},{"id":"fractured.stat_2954116742|41512","text":"Allocates Heavy Weaponry","type":"fractured"},{"id":"fractured.stat_2954116742|8531","text":"Allocates Leaping Ambush","type":"fractured"},{"id":"fractured.stat_2954116742|61921","text":"Allocates Storm Surge","type":"fractured"},{"id":"fractured.stat_2954116742|19955","text":"Allocates Endless Blizzard","type":"fractured"},{"id":"fractured.stat_2954116742|27176","text":"Allocates The Power Within","type":"fractured"},{"id":"fractured.stat_2954116742|7338","text":"Allocates Abasement","type":"fractured"},{"id":"fractured.stat_3793155082","text":"#% increased number of Rare Monsters","type":"fractured"},{"id":"fractured.stat_2112395885","text":"#% increased amount of Life Leeched","type":"fractured"},{"id":"fractured.stat_2954116742|24630","text":"Allocates Fulmination","type":"fractured"},{"id":"fractured.stat_2954116742|54911","text":"Allocates Firestarter","type":"fractured"},{"id":"fractured.stat_2954116742|2138","text":"Allocates Spiral into Insanity","type":"fractured"},{"id":"fractured.stat_2720982137","text":"Banner Skills have #% increased Duration","type":"fractured"},{"id":"fractured.stat_2954116742|50884","text":"Allocates Primal Sundering","type":"fractured"},{"id":"fractured.stat_2954116742|31826","text":"Allocates Long Distance Relationship","type":"fractured"},{"id":"fractured.stat_2954116742|9968","text":"Allocates Feel the Earth","type":"fractured"},{"id":"fractured.stat_2954116742|32071","text":"Allocates Primal Growth","type":"fractured"},{"id":"fractured.stat_2954116742|40166","text":"Allocates Deep Trance","type":"fractured"},{"id":"fractured.stat_349586058","text":"Area has patches of Chilled Ground","type":"fractured"},{"id":"fractured.stat_2954116742|56999","text":"Allocates Locked On","type":"fractured"},{"id":"fractured.stat_2954116742|35966","text":"Allocates Heart Tissue","type":"fractured"},{"id":"fractured.stat_2954116742|57471","text":"Allocates Hunker Down","type":"fractured"},{"id":"fractured.stat_2954116742|5284","text":"Allocates Shredding Force","type":"fractured"},{"id":"fractured.stat_2954116742|42177","text":"Allocates Blurred Motion","type":"fractured"},{"id":"fractured.stat_2954116742|65265","text":"Allocates Swift Interruption","type":"fractured"},{"id":"fractured.stat_2954116742|13895","text":"Allocates Precise Point","type":"fractured"},{"id":"fractured.stat_2954116742|7777","text":"Allocates Breaking Point","type":"fractured"},{"id":"fractured.stat_2954116742|57805","text":"Allocates Clear Space","type":"fractured"},{"id":"fractured.stat_2954116742|25971","text":"Allocates Tenfold Attacks","type":"fractured"},{"id":"fractured.stat_2954116742|55180","text":"Allocates Relentless Fallen","type":"fractured"},{"id":"fractured.stat_2954116742|934","text":"Allocates Natural Immunity","type":"fractured"},{"id":"fractured.stat_2954116742|14294","text":"Allocates Sacrificial Blood","type":"fractured"},{"id":"fractured.stat_2954116742|5257","text":"Allocates Echoing Frost","type":"fractured"},{"id":"fractured.stat_2954116742|51820","text":"Allocates Ancestral Conduits","type":"fractured"},{"id":"fractured.stat_2954116742|30523","text":"Allocates Dead can Dance","type":"fractured"},{"id":"fractured.stat_2954116742|16466","text":"Allocates Mental Alacrity","type":"fractured"},{"id":"fractured.stat_2954116742|62609","text":"Allocates Ancestral Unity","type":"fractured"},{"id":"fractured.stat_2954116742|49984","text":"Allocates Spellblade","type":"fractured"},{"id":"fractured.stat_1129429646","text":"Small Passive Skills in Radius also grant #% increased Weapon Swap Speed","type":"fractured"},{"id":"fractured.stat_2954116742|50062","text":"Allocates Reinforced Barrier","type":"fractured"},{"id":"fractured.stat_2954116742|21349","text":"Allocates The Cunning Fox","type":"fractured"},{"id":"fractured.stat_2954116742|2021","text":"Allocates Wellspring","type":"fractured"},{"id":"fractured.stat_2954116742|42959","text":"Allocates Low Tolerance","type":"fractured"},{"id":"fractured.stat_2954116742|20032","text":"Allocates Erraticism","type":"fractured"},{"id":"fractured.stat_2954116742|64443","text":"Allocates Impact Force","type":"fractured"},{"id":"fractured.stat_2954116742|25711","text":"Allocates Thrill of Battle","type":"fractured"},{"id":"fractured.stat_4089835882","text":"Small Passive Skills in Radius also grant Break #% increased Armour","type":"fractured"},{"id":"fractured.stat_2954116742|54814","text":"Allocates Profane Commander","type":"fractured"},{"id":"fractured.stat_1585769763","text":"#% increased Blind Effect","type":"fractured"},{"id":"fractured.stat_2954116742|1104","text":"Allocates Lust for Power","type":"fractured"},{"id":"fractured.stat_2954116742|38895","text":"Allocates Crystal Elixir","type":"fractured"},{"id":"fractured.stat_2954116742|2511","text":"Allocates Sundering","type":"fractured"},{"id":"fractured.stat_2954116742|5663","text":"Allocates Endurance","type":"fractured"},{"id":"fractured.stat_2954116742|53853","text":"Allocates Backup Plan","type":"fractured"},{"id":"fractured.stat_2954116742|3215","text":"Allocates Melding","type":"fractured"},{"id":"fractured.stat_2954116742|38459","text":"Allocates Disorientation","type":"fractured"},{"id":"fractured.stat_2954116742|8831","text":"Allocates Tempered Mind","type":"fractured"},{"id":"fractured.stat_2954116742|33240","text":"Allocates Lord of Horrors","type":"fractured"},{"id":"fractured.stat_2954116742|2134","text":"Allocates Toxic Tolerance","type":"fractured"},{"id":"fractured.stat_2954116742|65193","text":"Allocates Viciousness","type":"fractured"},{"id":"fractured.stat_2954116742|30456","text":"Allocates High Alert","type":"fractured"},{"id":"fractured.stat_2954116742|34308","text":"Allocates Personal Touch","type":"fractured"},{"id":"fractured.stat_686254215","text":"#% increased Totem Life","type":"fractured"},{"id":"fractured.stat_1301765461","text":"#% to Maximum Chaos Resistance","type":"fractured"},{"id":"fractured.stat_2056107438","text":"Notable Passive Skills in Radius also grant #% increased Warcry Cooldown Recovery Rate","type":"fractured"},{"id":"fractured.stat_2954116742|61703","text":"Allocates Sharpened Claw","type":"fractured"},{"id":"fractured.stat_2954116742|36623","text":"Allocates Convalescence","type":"fractured"},{"id":"fractured.stat_2954116742|62034","text":"Allocates Prism Guard","type":"fractured"},{"id":"fractured.stat_644456512","text":"#% reduced Flask Charges used","type":"fractured"},{"id":"fractured.stat_2954116742|65204","text":"Allocates Overflowing Power","type":"fractured"},{"id":"fractured.stat_2954116742|19337","text":"Allocates Precision Salvo","type":"fractured"},{"id":"fractured.stat_2954116742|61112","text":"Allocates Roll and Strike","type":"fractured"},{"id":"fractured.stat_2954116742|7062","text":"Allocates Reusable Ammunition","type":"fractured"},{"id":"fractured.stat_2954116742|17664","text":"Allocates Decisive Retreat","type":"fractured"},{"id":"fractured.stat_2954116742|30562","text":"Allocates Inner Faith","type":"fractured"},{"id":"fractured.stat_2301718443","text":"#% increased Damage against Enemies with Fully Broken Armour","type":"fractured"},{"id":"fractured.stat_3821543413","text":"Notable Passive Skills in Radius also grant #% increased Block chance","type":"fractured"},{"id":"fractured.stat_2954116742|53823","text":"Allocates Towering Shield","type":"fractured"},{"id":"fractured.stat_2954116742|22967","text":"Allocates Vigilance","type":"fractured"},{"id":"fractured.stat_2954116742|57190","text":"Allocates Doomsayer","type":"fractured"},{"id":"fractured.stat_2954116742|15030","text":"Allocates Consistent Intake","type":"fractured"},{"id":"fractured.stat_2954116742|6133","text":"Allocates Core of the Guardian","type":"fractured"},{"id":"fractured.stat_2954116742|43139","text":"Allocates Stormbreaker","type":"fractured"},{"id":"fractured.stat_2954116742|61338","text":"Allocates Breath of Lightning","type":"fractured"},{"id":"fractured.stat_2954116742|52191","text":"Allocates Event Horizon","type":"fractured"},{"id":"fractured.stat_2954116742|7668","text":"Allocates Internal Bleeding","type":"fractured"},{"id":"fractured.stat_3401186585","text":"#% increased Parried Debuff Duration","type":"fractured"},{"id":"fractured.stat_2954116742|17725","text":"Allocates Bonded Precision","type":"fractured"},{"id":"fractured.stat_2954116742|63037","text":"Allocates Sigil of Fire","type":"fractured"},{"id":"fractured.stat_2954116742|37514","text":"Allocates Whirling Assault","type":"fractured"},{"id":"fractured.stat_2954116742|30341","text":"Allocates Master Fletching","type":"fractured"},{"id":"fractured.stat_2954116742|56997","text":"Allocates Heavy Contact","type":"fractured"},{"id":"fractured.stat_2954116742|336","text":"Allocates Storm Swell","type":"fractured"},{"id":"fractured.stat_2954116742|53030","text":"Allocates Immolation","type":"fractured"},{"id":"fractured.stat_2954116742|42065","text":"Allocates Surging Currents","type":"fractured"},{"id":"fractured.stat_2954116742|53941","text":"Allocates Shimmering","type":"fractured"},{"id":"fractured.stat_1505023559","text":"Notable Passive Skills in Radius also grant #% increased Bleeding Duration","type":"fractured"},{"id":"fractured.stat_2954116742|11774","text":"Allocates The Spring Hare","type":"fractured"},{"id":"fractured.stat_2954116742|32951","text":"Allocates Preservation","type":"fractured"},{"id":"fractured.stat_2954116742|63759","text":"Allocates Stacking Toxins","type":"fractured"},{"id":"fractured.stat_2954116742|23939","text":"Allocates Glazed Flesh","type":"fractured"},{"id":"fractured.stat_4142814612","text":"Small Passive Skills in Radius also grant Banner Skills have #% increased Area of Effect","type":"fractured"},{"id":"fractured.stat_2954116742|48581","text":"Allocates Exploit the Elements","type":"fractured"},{"id":"fractured.stat_2954116742|13980","text":"Allocates Split the Earth","type":"fractured"},{"id":"fractured.stat_2954116742|55708","text":"Allocates Electric Amplification","type":"fractured"},{"id":"fractured.stat_2954116742|3567","text":"Allocates Raw Mana","type":"fractured"},{"id":"fractured.stat_2954116742|37872","text":"Allocates Presence Present","type":"fractured"},{"id":"fractured.stat_2954116742|8904","text":"Allocates Death from Afar","type":"fractured"},{"id":"fractured.stat_2954116742|52392","text":"Allocates Singular Purpose","type":"fractured"},{"id":"fractured.stat_2954116742|62803","text":"Allocates Woodland Aspect","type":"fractured"},{"id":"fractured.stat_2954116742|27491","text":"Allocates Heavy Buffer","type":"fractured"},{"id":"fractured.stat_554690751","text":"Players are periodically Cursed with Elemental Weakness","type":"fractured"},{"id":"fractured.stat_2954116742|2397","text":"Allocates Last Stand","type":"fractured"},{"id":"fractured.stat_4225700219","text":"Notable Passive Skills in Radius also grant #% chance to gain Volatility on Kill","type":"fractured"},{"id":"fractured.stat_2954116742|4716","text":"Allocates Afterimage","type":"fractured"},{"id":"fractured.stat_2954116742|38969","text":"Allocates Finesse","type":"fractured"},{"id":"fractured.stat_2954116742|23227","text":"Allocates Initiative","type":"fractured"},{"id":"fractured.stat_2954116742|60138","text":"Allocates Stylebender","type":"fractured"},{"id":"fractured.stat_2954116742|2645","text":"Allocates Skullcrusher","type":"fractured"},{"id":"fractured.stat_2954116742|48699","text":"Allocates Frostwalker","type":"fractured"},{"id":"fractured.stat_2954116742|17762","text":"Allocates Vengeance","type":"fractured"},{"id":"fractured.stat_2954116742|20251","text":"Allocates Splitting Ground","type":"fractured"},{"id":"fractured.stat_2954116742|53150","text":"Allocates Sharp Sight","type":"fractured"},{"id":"fractured.stat_2954116742|40117","text":"Allocates Spiked Armour","type":"fractured"},{"id":"fractured.stat_2954116742|40073","text":"Allocates Drenched","type":"fractured"},{"id":"fractured.stat_2954116742|38537","text":"Allocates Heartstopping","type":"fractured"},{"id":"fractured.stat_2954116742|7651","text":"Allocates Pierce the Heart","type":"fractured"},{"id":"fractured.stat_4009879772","text":"#% increased Life Flask Charges gained","type":"fractured"},{"id":"fractured.stat_2954116742|1352","text":"Allocates Unbending","type":"fractured"},{"id":"fractured.stat_2954116742|33887","text":"Allocates Full Salvo","type":"fractured"},{"id":"fractured.stat_2954116742|17150","text":"Allocates General's Bindings","type":"fractured"},{"id":"fractured.stat_2954116742|42354","text":"Allocates Blinding Flash","type":"fractured"},{"id":"fractured.stat_2954116742|58183","text":"Allocates Blood Tearing","type":"fractured"},{"id":"fractured.stat_2954116742|38972","text":"Allocates Restless Dead","type":"fractured"},{"id":"fractured.stat_2954116742|38342","text":"Allocates Stupefy","type":"fractured"},{"id":"fractured.stat_2954116742|44005","text":"Allocates Casting Cascade","type":"fractured"},{"id":"fractured.stat_2954116742|7302","text":"Allocates Echoing Pulse","type":"fractured"},{"id":"fractured.stat_2954116742|48734","text":"Allocates The Howling Primate","type":"fractured"},{"id":"fractured.stat_2954116742|46224","text":"Allocates Arcane Alchemy","type":"fractured"},{"id":"fractured.stat_2954116742|10315","text":"Allocates Easy Going","type":"fractured"},{"id":"fractured.stat_2954116742|40213","text":"Allocates Taste for Blood","type":"fractured"},{"id":"fractured.stat_2954116742|21748","text":"Allocates Impending Doom","type":"fractured"},{"id":"fractured.stat_2954116742|46384","text":"Allocates Wide Barrier","type":"fractured"},{"id":"fractured.stat_2954116742|54990","text":"Allocates Bloodletting","type":"fractured"},{"id":"fractured.stat_4159248054","text":"#% increased Warcry Cooldown Recovery Rate","type":"fractured"},{"id":"fractured.stat_2954116742|58096","text":"Allocates Lasting Incantations","type":"fractured"},{"id":"fractured.stat_2954116742|62310","text":"Allocates Incendiary","type":"fractured"},{"id":"fractured.stat_3119612865","text":"Minions have #% additional Physical Damage Reduction","type":"fractured"},{"id":"fractured.stat_565784293","text":"#% increased Knockback Distance","type":"fractured"},{"id":"fractured.stat_2954116742|15991","text":"Allocates Embodiment of Lightning","type":"fractured"},{"id":"fractured.stat_2954116742|5332","text":"Allocates Crystallised Immunities","type":"fractured"},{"id":"fractured.stat_941368244","text":"Players have #% more Cooldown Recovery Rate","type":"fractured"},{"id":"fractured.stat_2954116742|43677","text":"Allocates Crippling Toxins","type":"fractured"},{"id":"fractured.stat_2954116742|51934","text":"Allocates Invocated Efficiency","type":"fractured"},{"id":"fractured.stat_2954116742|46024","text":"Allocates Sigil of Lightning","type":"fractured"},{"id":"fractured.stat_2954116742|11392","text":"Allocates Molten Being","type":"fractured"},{"id":"fractured.stat_57434274","text":"#% increased Experience gain","type":"fractured"},{"id":"fractured.stat_57434274","text":"#% increased Experience gain in your Maps","type":"fractured"},{"id":"fractured.stat_2954116742|40803","text":"Allocates Sigil of Ice","type":"fractured"},{"id":"fractured.stat_2954116742|19249","text":"Allocates Supportive Ancestors","type":"fractured"},{"id":"fractured.stat_2954116742|27513","text":"Allocates Material Solidification","type":"fractured"},{"id":"fractured.stat_2954116742|48565","text":"Allocates Bringer of Order","type":"fractured"},{"id":"fractured.stat_2954116742|15374","text":"Allocates Hale Heart","type":"fractured"},{"id":"fractured.stat_2954116742|53294","text":"Allocates Burn Away","type":"fractured"},{"id":"fractured.stat_2954116742|13823","text":"Allocates Controlling Magic","type":"fractured"},{"id":"fractured.stat_2954116742|62887","text":"Allocates Living Death","type":"fractured"},{"id":"fractured.stat_1629357380","text":"Players are periodically Cursed with Temporal Chains","type":"fractured"},{"id":"fractured.stat_2954116742|13542","text":"Allocates Loose Flesh","type":"fractured"},{"id":"fractured.stat_2954116742|32664","text":"Allocates Chakra of Breathing","type":"fractured"},{"id":"fractured.stat_2954116742|14324","text":"Allocates Arcane Blossom","type":"fractured"},{"id":"fractured.stat_2954116742|61741","text":"Allocates Lasting Toxins","type":"fractured"},{"id":"fractured.stat_2954116742|17955","text":"Allocates Careful Consideration","type":"fractured"},{"id":"fractured.stat_2954116742|59303","text":"Allocates Lucky Rabbit Foot","type":"fractured"},{"id":"fractured.stat_2954116742|49618","text":"Allocates Deadly Flourish","type":"fractured"},{"id":"fractured.stat_2954116742|63255","text":"Allocates Savagery","type":"fractured"},{"id":"fractured.stat_2954116742|61601","text":"Allocates True Strike","type":"fractured"},{"id":"fractured.stat_2954116742|39347","text":"Allocates Breaking Blows","type":"fractured"},{"id":"fractured.stat_2954116742|17229","text":"Allocates Silent Guardian","type":"fractured"},{"id":"fractured.stat_318092306","text":"Small Passive Skills in Radius also grant Attack Hits apply Incision","type":"fractured"},{"id":"fractured.stat_1570770415","text":"#% reduced Charm Charges used","type":"fractured"},{"id":"fractured.stat_2954116742|13482","text":"Allocates Punctured Lung","type":"fractured"},{"id":"fractured.stat_2954116742|30720","text":"Allocates Entropic Incarnation","type":"fractured"},{"id":"fractured.stat_2954116742|16256","text":"Allocates Ether Flow","type":"fractured"},{"id":"fractured.stat_2954116742|10398","text":"Allocates Sudden Escalation","type":"fractured"},{"id":"fractured.stat_2954116742|34531","text":"Allocates Hallowed","type":"fractured"},{"id":"fractured.stat_2954116742|31433","text":"Allocates Catalysis","type":"fractured"},{"id":"fractured.stat_2954116742|55131","text":"Allocates Light on your Feet","type":"fractured"},{"id":"fractured.stat_2954116742|30546","text":"Allocates Electrified Claw","type":"fractured"},{"id":"fractured.stat_2954116742|60992","text":"Allocates Nurturing Guardian","type":"fractured"},{"id":"fractured.stat_2954116742|23764","text":"Allocates Alternating Current","type":"fractured"},{"id":"fractured.stat_2954116742|17825","text":"Allocates Tactical Retreat","type":"fractured"},{"id":"fractured.stat_2954116742|15114","text":"Allocates Boundless Growth","type":"fractured"},{"id":"fractured.stat_2954116742|46296","text":"Allocates Short Shot","type":"fractured"},{"id":"fractured.stat_1869147066","text":"#% increased Glory generation for Banner Skills","type":"fractured"},{"id":"fractured.stat_2954116742|10295","text":"Allocates Overzealous","type":"fractured"},{"id":"fractured.stat_2954116742|4709","text":"Allocates Near Sighted","type":"fractured"},{"id":"fractured.stat_2954116742|54937","text":"Allocates Vengeful Fury","type":"fractured"},{"id":"fractured.stat_1181419800","text":"#% increased Damage with Maces","type":"fractured"},{"id":"fractured.stat_2954116742|60464","text":"Allocates Fan the Flames","type":"fractured"},{"id":"fractured.stat_2954116742|20414","text":"Allocates Reprisal","type":"fractured"},{"id":"fractured.stat_2954116742|51394","text":"Allocates Unimpeded","type":"fractured"},{"id":"fractured.stat_2954116742|38628","text":"Allocates Escalating Toxins","type":"fractured"},{"id":"fractured.stat_2954116742|38398","text":"Allocates Apocalypse","type":"fractured"},{"id":"fractured.stat_2954116742|60404","text":"Allocates Perfect Opportunity","type":"fractured"},{"id":"fractured.stat_2174054121","text":"#% chance to inflict Bleeding on Hit","type":"fractured"},{"id":"fractured.stat_2954116742|52971","text":"Allocates Quick Response","type":"fractured"},{"id":"fractured.stat_2954116742|15644","text":"Allocates Shedding Skin","type":"fractured"},{"id":"fractured.stat_2954116742|9226","text":"Allocates Mental Perseverance","type":"fractured"},{"id":"fractured.stat_2570249991","text":"Monsters are Evasive","type":"fractured"},{"id":"fractured.stat_3386297724","text":"Notable Passive Skills in Radius also grant #% of Skill Mana Costs Converted to Life Costs","type":"fractured"},{"id":"fractured.stat_2480498143","text":"#% of Skill Mana Costs Converted to Life Costs","type":"fractured"},{"id":"fractured.stat_2954116742|2999","text":"Allocates Final Barrage","type":"fractured"},{"id":"fractured.stat_1879340377","text":"Monsters Break Armour equal to #% of Physical Damage dealt","type":"fractured"},{"id":"fractured.stat_2954116742|14934","text":"Allocates Spiral into Mania","type":"fractured"},{"id":"fractured.stat_2954116742|2863","text":"Allocates Perpetual Freeze","type":"fractured"},{"id":"fractured.stat_2954116742|45488","text":"Allocates Cross Strike","type":"fractured"},{"id":"fractured.stat_2954116742|12661","text":"Allocates Asceticism","type":"fractured"},{"id":"fractured.stat_2954116742|28329","text":"Allocates Pressure Points","type":"fractured"},{"id":"fractured.stat_2954116742|46692","text":"Allocates Efficient Alchemy","type":"fractured"},{"id":"fractured.stat_2954116742|47270","text":"Allocates Inescapable Cold","type":"fractured"},{"id":"fractured.stat_2954116742|36808","text":"Allocates Spiked Shield","type":"fractured"},{"id":"fractured.stat_1776411443","text":"Break #% increased Armour","type":"fractured"},{"id":"fractured.stat_2954116742|38053","text":"Allocates Deafening Cries","type":"fractured"},{"id":"fractured.stat_2954116742|51871","text":"Allocates Immortal Thirst","type":"fractured"},{"id":"fractured.stat_2954116742|8554","text":"Allocates Burning Nature","type":"fractured"},{"id":"fractured.stat_2954116742|30392","text":"Allocates Succour","type":"fractured"},{"id":"fractured.stat_2954116742|48418","text":"Allocates Hefty Unit","type":"fractured"},{"id":"fractured.stat_2954116742|25482","text":"Allocates Beef","type":"fractured"},{"id":"fractured.stat_2954116742|35876","text":"Allocates Admonisher","type":"fractured"},{"id":"fractured.stat_2954116742|35855","text":"Allocates Fortifying Blood","type":"fractured"},{"id":"fractured.stat_2954116742|24483","text":"Allocates Direct Approach","type":"fractured"},{"id":"fractured.stat_2954116742|36976","text":"Allocates Marked for Death","type":"fractured"},{"id":"fractured.stat_2954116742|56453","text":"Allocates Killer Instinct","type":"fractured"},{"id":"fractured.stat_2954116742|18397","text":"Allocates Savoured Blood","type":"fractured"},{"id":"fractured.stat_2954116742|10602","text":"Allocates Reaving","type":"fractured"},{"id":"fractured.stat_2954116742|64851","text":"Allocates Flashy Parrying","type":"fractured"},{"id":"fractured.stat_2954116742|35618","text":"Allocates Cold Coat","type":"fractured"},{"id":"fractured.stat_2954116742|47782","text":"Allocates Steady Footing","type":"fractured"},{"id":"fractured.stat_2954116742|65160","text":"Allocates Titanic","type":"fractured"},{"id":"fractured.stat_2534359663","text":"Notable Passive Skills in Radius also grant Minions have #% increased Area of Effect","type":"fractured"},{"id":"fractured.stat_2954116742|14211","text":"Allocates Shredding Contraptions","type":"fractured"},{"id":"fractured.stat_2954116742|58426","text":"Allocates Pocket Sand","type":"fractured"},{"id":"fractured.stat_2954116742|22626","text":"Allocates Irreparable","type":"fractured"},{"id":"fractured.stat_2954116742|51169","text":"Allocates Soul Bloom","type":"fractured"},{"id":"fractured.stat_2954116742|16499","text":"Allocates Lingering Whispers","type":"fractured"},{"id":"fractured.stat_2954116742|35369","text":"Allocates Investing Energies","type":"fractured"},{"id":"fractured.stat_2954116742|16626","text":"Allocates Impact Area","type":"fractured"},{"id":"fractured.stat_2954116742|22817","text":"Allocates Inevitable Rupture","type":"fractured"},{"id":"fractured.stat_2954116742|38614","text":"Allocates Psychic Fragmentation","type":"fractured"},{"id":"fractured.stat_2954116742|42077","text":"Allocates Essence Infusion","type":"fractured"},{"id":"fractured.stat_2954116742|50392","text":"Allocates Brute Strength","type":"fractured"},{"id":"fractured.stat_2954116742|31373","text":"Allocates Vocal Empowerment","type":"fractured"},{"id":"fractured.stat_2954116742|35477","text":"Allocates Far Sighted","type":"fractured"},{"id":"fractured.stat_2954116742|53367","text":"Allocates Symbol of Defiance","type":"fractured"},{"id":"fractured.stat_2954116742|53935","text":"Allocates Briny Carapace","type":"fractured"},{"id":"fractured.stat_2954116742|42045","text":"Allocates Archon of the Blizzard","type":"fractured"},{"id":"fractured.stat_2954116742|57097","text":"Allocates Spirit Bonds","type":"fractured"},{"id":"fractured.stat_2954116742|27009","text":"Allocates Lust for Sacrifice","type":"fractured"},{"id":"fractured.stat_2954116742|8810","text":"Allocates Multitasking","type":"fractured"},{"id":"fractured.stat_3395186672","text":"Small Passive Skills in Radius also grant Empowered Attacks deal #% increased Damage","type":"fractured"},{"id":"fractured.stat_2954116742|51509","text":"Allocates Waters of Life","type":"fractured"},{"id":"fractured.stat_2954116742|63074","text":"Allocates Dark Entries","type":"fractured"},{"id":"fractured.stat_2954116742|26518","text":"Allocates Cold Nature","type":"fractured"},{"id":"fractured.stat_2954116742|33059","text":"Allocates Back in Action","type":"fractured"},{"id":"fractured.stat_2954116742|5335","text":"Allocates Shimmering Mirage","type":"fractured"},{"id":"fractured.stat_2954116742|63830","text":"Allocates Marked for Sickness","type":"fractured"},{"id":"fractured.stat_2954116742|57047","text":"Allocates Polymathy","type":"fractured"},{"id":"fractured.stat_2954116742|45244","text":"Allocates Refills","type":"fractured"},{"id":"fractured.stat_2954116742|20916","text":"Allocates Blinding Strike","type":"fractured"},{"id":"fractured.stat_2954116742|65023","text":"Allocates Impenetrable Shell","type":"fractured"},{"id":"fractured.stat_2954116742|2335","text":"Allocates Turn the Clock Forward","type":"fractured"},{"id":"fractured.stat_2954116742|21206","text":"Allocates Explosive Impact","type":"fractured"},{"id":"fractured.stat_2954116742|63981","text":"Allocates Deft Recovery","type":"fractured"},{"id":"fractured.stat_300723956","text":"Attack Hits apply Incision","type":"fractured"},{"id":"fractured.stat_2954116742|45013","text":"Allocates Finishing Blows","type":"fractured"},{"id":"fractured.stat_504915064","text":"Notable Passive Skills in Radius also grant #% increased Armour Break Duration","type":"fractured"},{"id":"fractured.stat_2954116742|32301","text":"Allocates Frazzled","type":"fractured"},{"id":"fractured.stat_2954116742|26291","text":"Allocates Electrifying Nature","type":"fractured"},{"id":"fractured.stat_2954116742|15617","text":"Allocates Heavy Drinker","type":"fractured"},{"id":"fractured.stat_2954116742|51891","text":"Allocates Lucidity","type":"fractured"},{"id":"fractured.stat_2954116742|17330","text":"Allocates Perforation","type":"fractured"},{"id":"fractured.stat_2954116742|45713","text":"Allocates Savouring","type":"fractured"},{"id":"fractured.stat_2954116742|20397","text":"Allocates Authority","type":"fractured"},{"id":"fractured.stat_2954116742|36630","text":"Allocates Incision","type":"fractured"},{"id":"fractured.stat_2954116742|8881","text":"Allocates Unforgiving","type":"fractured"},{"id":"fractured.stat_2954116742|27626","text":"Allocates Touch the Arcane","type":"fractured"},{"id":"fractured.stat_2954116742|51602","text":"Allocates Unsight","type":"fractured"},{"id":"fractured.stat_2954116742|11366","text":"Allocates Volcanic Skin","type":"fractured"},{"id":"fractured.stat_2954116742|62185","text":"Allocates Rattled","type":"fractured"},{"id":"fractured.stat_2954116742|50795","text":"Allocates Careful Aim","type":"fractured"},{"id":"fractured.stat_2954116742|63431","text":"Allocates Leeching Toxins","type":"fractured"},{"id":"fractured.stat_2954116742|49661","text":"Allocates Perfectly Placed Knife","type":"fractured"},{"id":"fractured.stat_2954116742|4627","text":"Allocates Climate Change","type":"fractured"},{"id":"fractured.stat_2954116742|27388","text":"Allocates Aspiring Genius","type":"fractured"},{"id":"fractured.stat_2954116742|23736","text":"Allocates Spray and Pray","type":"fractured"},{"id":"fractured.stat_2954116742|56893","text":"Allocates Thicket Warding","type":"fractured"},{"id":"fractured.stat_2954116742|33216","text":"Allocates Deep Wounds","type":"fractured"},{"id":"fractured.stat_2954116742|42813","text":"Allocates Tides of Change","type":"fractured"},{"id":"fractured.stat_2954116742|36341","text":"Allocates Cull the Hordes","type":"fractured"},{"id":"fractured.stat_2954116742|47363","text":"Allocates Colossal Weapon","type":"fractured"},{"id":"fractured.stat_2954116742|47418","text":"Allocates Warding Potions","type":"fractured"},{"id":"fractured.stat_2954116742|58397","text":"Allocates Proficiency","type":"fractured"},{"id":"fractured.stat_2954116742|64543","text":"Allocates Unbound Forces","type":"fractured"},{"id":"fractured.stat_3858398337","text":"Small Passive Skills in Radius also grant #% increased Armour","type":"fractured"},{"id":"fractured.stat_2954116742|21453","text":"Allocates Breakage","type":"fractured"},{"id":"fractured.stat_2954116742|32354","text":"Allocates Defiance","type":"fractured"},{"id":"fractured.stat_429143663","text":"Banner Skills have #% increased Area of Effect","type":"fractured"},{"id":"fractured.stat_2954116742|46696","text":"Allocates Impair","type":"fractured"},{"id":"fractured.stat_2954116742|34300","text":"Allocates Conservative Casting","type":"fractured"},{"id":"fractured.stat_2954116742|17254","text":"Allocates Spell Haste","type":"fractured"},{"id":"fractured.stat_2954116742|40399","text":"Allocates Energise","type":"fractured"},{"id":"fractured.stat_2954116742|6544","text":"Allocates Burning Strikes","type":"fractured"},{"id":"fractured.stat_2954116742|7604","text":"Allocates Rapid Strike","type":"fractured"},{"id":"fractured.stat_2954116742|40270","text":"Allocates Frenetic","type":"fractured"},{"id":"fractured.stat_2954116742|11838","text":"Allocates Dreamcatcher","type":"fractured"},{"id":"fractured.stat_2954116742|41753","text":"Allocates Evocational Practitioner","type":"fractured"},{"id":"fractured.stat_4129825612","text":"#% of Physical Damage from Hits taken as Chaos Damage","type":"fractured"},{"id":"fractured.stat_2954116742|6655","text":"Allocates Aggravation","type":"fractured"},{"id":"fractured.stat_2954116742|4031","text":"Allocates Icebreaker","type":"fractured"},{"id":"fractured.stat_2954116742|29514","text":"Allocates Cluster Bombs","type":"fractured"},{"id":"fractured.stat_2954116742|2486","text":"Allocates Stars Aligned","type":"fractured"},{"id":"fractured.stat_2954116742|36931","text":"Allocates Concussive Attack","type":"fractured"},{"id":"fractured.stat_2954116742|23427","text":"Allocates Chilled to the Bone","type":"fractured"},{"id":"fractured.stat_2954116742|32507","text":"Allocates Cut to the Bone","type":"fractured"},{"id":"fractured.stat_2954116742|33229","text":"Allocates Haemorrhaging Cuts","type":"fractured"},{"id":"fractured.stat_2954116742|17029","text":"Allocates Blade Catcher","type":"fractured"},{"id":"fractured.stat_2954116742|31189","text":"Allocates Unexpected Finesse","type":"fractured"},{"id":"fractured.stat_2954116742|48215","text":"Allocates Headshot","type":"fractured"},{"id":"fractured.stat_1913583994","text":"#% increased Monster Attack Speed","type":"fractured"},{"id":"fractured.stat_2954116742|63585","text":"Allocates Thunderstruck","type":"fractured"},{"id":"fractured.stat_2954116742|15443","text":"Allocates Endured Suffering","type":"fractured"},{"id":"fractured.stat_2954116742|36364","text":"Allocates Electrocution","type":"fractured"},{"id":"fractured.stat_2954116742|14761","text":"Allocates Warlord Leader","type":"fractured"},{"id":"fractured.stat_2954116742|13457","text":"Allocates Shadow Dancing","type":"fractured"},{"id":"fractured.stat_2954116742|26070","text":"Allocates Bolstering Yell","type":"fractured"},{"id":"fractured.stat_2954116742|59070","text":"Allocates Enduring Archon","type":"fractured"},{"id":"fractured.stat_2954116742|45612","text":"Allocates Defensive Reflexes","type":"fractured"},{"id":"fractured.stat_2954116742|2113","text":"Allocates Martial Artistry","type":"fractured"},{"id":"fractured.stat_2954116742|37806","text":"Allocates Branching Bolts","type":"fractured"},{"id":"fractured.stat_2954116742|52180","text":"Allocates Trained Deflection","type":"fractured"},{"id":"fractured.stat_2954116742|44917","text":"Allocates Self Mortification","type":"fractured"},{"id":"fractured.stat_3998863698","text":"Monsters have #% increased Freeze Buildup","type":"fractured"},{"id":"fractured.stat_337935900","text":"Monsters take #% reduced Extra Damage from Critical Hits","type":"fractured"},{"id":"fractured.stat_2954116742|14383","text":"Allocates Suffusion","type":"fractured"},{"id":"fractured.stat_2954116742|27434","text":"Allocates Archon of the Storm","type":"fractured"},{"id":"fractured.stat_2954116742|24753","text":"Allocates Determined Precision","type":"fractured"},{"id":"fractured.stat_2954116742|5009","text":"Allocates Seeing Stars","type":"fractured"},{"id":"fractured.stat_2954116742|40687","text":"Allocates Lead by Example","type":"fractured"},{"id":"fractured.stat_2954116742|27875","text":"Allocates General Electric","type":"fractured"},{"id":"fractured.stat_4181072906","text":"Players have #% less Recovery Rate of Life and Energy Shield","type":"fractured"},{"id":"fractured.stat_2954116742|8957","text":"Allocates Right Hand of Darkness","type":"fractured"},{"id":"fractured.stat_3477720557","text":"Area has patches of Shocked Ground","type":"fractured"},{"id":"fractured.stat_2200661314","text":"Monsters deal #% of Damage as Extra Chaos","type":"fractured"},{"id":"fractured.stat_2954116742|53185","text":"Allocates The Winter Owl","type":"fractured"},{"id":"fractured.stat_2954116742|59214","text":"Allocates Fated End","type":"fractured"},{"id":"fractured.stat_2954116742|24240","text":"Allocates Time Manipulation","type":"fractured"},{"id":"fractured.stat_2954116742|7275","text":"Allocates Electrocuting Exposure","type":"fractured"},{"id":"fractured.stat_57326096","text":"#% to Monster Critical Damage Bonus","type":"fractured"},{"id":"fractured.stat_2954116742|44952","text":"Allocates Made to Last","type":"fractured"},{"id":"fractured.stat_2954116742|25362","text":"Allocates Chakra of Impact","type":"fractured"},{"id":"fractured.stat_2954116742|55060","text":"Allocates Shrapnel","type":"fractured"},{"id":"fractured.stat_2954116742|7163","text":"Allocates Stimulants","type":"fractured"},{"id":"fractured.stat_2954116742|8660","text":"Allocates Reverberation","type":"fractured"},{"id":"fractured.stat_512071314","text":"Monsters deal #% of Damage as Extra Lightning","type":"fractured"},{"id":"fractured.stat_1315743832","text":"#% increased Thorns damage","type":"fractured"},{"id":"fractured.stat_2954116742|63400","text":"Allocates Chakra of Elements","type":"fractured"},{"id":"fractured.stat_2954116742|59208","text":"Allocates Frantic Fighter","type":"fractured"},{"id":"fractured.stat_2954116742|40325","text":"Allocates Resolution","type":"fractured"},{"id":"fractured.stat_2954116742|46365","text":"Allocates Gigantic Following","type":"fractured"},{"id":"fractured.stat_2954116742|9227","text":"Allocates Focused Thrust","type":"fractured"},{"id":"fractured.stat_2954116742|9736","text":"Allocates Insulated Treads","type":"fractured"},{"id":"fractured.stat_2306522833","text":"#% increased Monster Movement Speed","type":"fractured"},{"id":"fractured.stat_2954116742|56493","text":"Allocates Agile Succession","type":"fractured"},{"id":"fractured.stat_2954116742|35031","text":"Allocates Chakra of Life","type":"fractured"},{"id":"fractured.stat_1459321413","text":"#% increased Bleeding Duration","type":"fractured"},{"id":"fractured.stat_2970621759","text":"#% of Lightning Damage taken Recouped as Life","type":"fractured"},{"id":"fractured.stat_4101943684","text":"Monsters have #% increased Stun Threshold","type":"fractured"},{"id":"fractured.stat_2954116742|16150","text":"Allocates Inspiring Ally","type":"fractured"},{"id":"fractured.stat_3166958180","text":"#% increased Magnitude of Bleeding you inflict","type":"fractured"},{"id":"fractured.stat_1320662475","text":"Small Passive Skills in Radius also grant #% increased Thorns damage","type":"fractured"},{"id":"fractured.stat_2954116742|65468","text":"Allocates Repeating Explosives","type":"fractured"},{"id":"fractured.stat_2954116742|18485","text":"Allocates Unstable Bond","type":"fractured"},{"id":"fractured.stat_2954116742|34543","text":"Allocates The Frenzied Bear","type":"fractured"},{"id":"fractured.stat_2954116742|52245","text":"Allocates Distant Dreamer","type":"fractured"},{"id":"fractured.stat_2954116742|43088","text":"Allocates Agonising Calamity","type":"fractured"},{"id":"fractured.stat_2954116742|56488","text":"Allocates Glancing Deflection","type":"fractured"},{"id":"fractured.stat_2954116742|48658","text":"Allocates Shattering","type":"fractured"},{"id":"fractured.stat_2954116742|32448","text":"Allocates Shockproof","type":"fractured"},{"id":"fractured.stat_2954116742|12822","text":"Allocates Adaptable Assault","type":"fractured"},{"id":"fractured.stat_1898978455","text":"Monster Damage Penetrates #% Elemental Resistances","type":"fractured"},{"id":"fractured.stat_2954116742|1603","text":"Allocates Storm Driven","type":"fractured"},{"id":"fractured.stat_2954116742|51606","text":"Allocates Freedom of Movement","type":"fractured"},{"id":"fractured.stat_2954116742|10029","text":"Allocates Repulsion","type":"fractured"},{"id":"fractured.stat_2954116742|38479","text":"Allocates Close Confines","type":"fractured"},{"id":"fractured.stat_2954116742|35792","text":"Allocates Blood of Rage","type":"fractured"},{"id":"fractured.stat_2954116742|38111","text":"Allocates Pliable Flesh","type":"fractured"},{"id":"fractured.stat_2539290279","text":"Monsters are Armoured","type":"fractured"},{"id":"fractured.stat_2954116742|61493","text":"Allocates Austerity Measures","type":"fractured"},{"id":"fractured.stat_2954116742|23244","text":"Allocates Bounty Hunter","type":"fractured"},{"id":"fractured.stat_2954116742|20388","text":"Allocates Regenerative Flesh","type":"fractured"},{"id":"fractured.stat_2949706590","text":"Area contains # additional packs of Iron Guards","type":"fractured"},{"id":"fractured.stat_2954116742|65016","text":"Allocates Intense Flames","type":"fractured"},{"id":"fractured.stat_1714706956","text":"#% increased Magic Pack Size","type":"fractured"},{"id":"fractured.stat_1714706956","text":"#% increased Magic Pack Size in your Maps","type":"fractured"},{"id":"fractured.stat_2954116742|23940","text":"Allocates Adamant Recovery","type":"fractured"},{"id":"fractured.stat_3590792340","text":"#% increased Mana Flask Charges gained","type":"fractured"},{"id":"fractured.stat_2954116742|50673","text":"Allocates Avoiding Deflection","type":"fractured"},{"id":"fractured.stat_2954116742|5410","text":"Allocates Channelled Heritage","type":"fractured"},{"id":"fractured.stat_2954116742|36333","text":"Allocates Explosive Empowerment","type":"fractured"},{"id":"fractured.stat_2954116742|29306","text":"Allocates Chakra of Thought","type":"fractured"},{"id":"fractured.stat_2954116742|7341","text":"Allocates Ignore Pain","type":"fractured"},{"id":"fractured.stat_2954116742|64415","text":"Allocates Shattering Daze","type":"fractured"},{"id":"fractured.stat_2954116742|11578","text":"Allocates Spreading Shocks","type":"fractured"},{"id":"fractured.stat_2954116742|35028","text":"Allocates In the Thick of It","type":"fractured"},{"id":"fractured.stat_2954116742|41394","text":"Allocates Invigorating Archon","type":"fractured"},{"id":"fractured.stat_2954116742|40480","text":"Allocates Harmonic Generator","type":"fractured"},{"id":"fractured.stat_2954116742|38888","text":"Allocates Unerring Impact","type":"fractured"},{"id":"fractured.stat_2954116742|4331","text":"Allocates Guided Hand","type":"fractured"},{"id":"fractured.stat_2954116742|13515","text":"Allocates Stormwalker","type":"fractured"},{"id":"fractured.stat_2954116742|29762","text":"Allocates Guttural Roar","type":"fractured"},{"id":"fractured.stat_2954116742|12412","text":"Allocates Temporal Mastery","type":"fractured"},{"id":"fractured.stat_2954116742|64050","text":"Allocates Marathon Runner","type":"fractured"},{"id":"fractured.stat_2954116742|18308","text":"Allocates Bleeding Out","type":"fractured"},{"id":"fractured.stat_2954116742|28542","text":"Allocates The Molten One's Gift","type":"fractured"},{"id":"fractured.stat_2954116742|19236","text":"Allocates Projectile Bulwark","type":"fractured"},{"id":"fractured.stat_2954116742|53187","text":"Allocates Warlord Berserker","type":"fractured"},{"id":"fractured.stat_2954116742|3921","text":"Allocates Fate Finding","type":"fractured"},{"id":"fractured.stat_2954116742|37266","text":"Allocates Nourishing Ally","type":"fractured"},{"id":"fractured.stat_2954116742|94","text":"Allocates Efficient Killing","type":"fractured"},{"id":"fractured.stat_3222482040","text":"Monsters have #% chance to steal Power, Frenzy and Endurance charges on Hit","type":"fractured"},{"id":"fractured.stat_2954116742|57785","text":"Allocates Trained Turrets","type":"fractured"},{"id":"fractured.stat_2954116742|11376","text":"Allocates Necrotic Touch","type":"fractured"},{"id":"fractured.stat_2954116742|58215","text":"Allocates Sanguimantic Rituals","type":"fractured"},{"id":"fractured.stat_2954116742|32151","text":"Allocates Crystalline Resistance","type":"fractured"},{"id":"fractured.stat_2954116742|3492","text":"Allocates Void","type":"fractured"},{"id":"fractured.stat_2954116742|8607","text":"Allocates Lavianga's Brew","type":"fractured"},{"id":"fractured.stat_2954116742|49088","text":"Allocates Splintering Force","type":"fractured"},{"id":"fractured.stat_2954116742|28613","text":"Allocates Roaring Cries","type":"fractured"},{"id":"fractured.stat_2954116742|40985","text":"Allocates Empowering Remnants","type":"fractured"},{"id":"fractured.stat_3873704640","text":"#% increased number of Magic Monsters","type":"fractured"},{"id":"fractured.stat_3873704640","text":"#% increased Magic Monsters","type":"fractured"},{"id":"fractured.stat_2954116742|23362","text":"Allocates Slippery Ice","type":"fractured"},{"id":"fractured.stat_2954116742|750","text":"Allocates Tribal Fury","type":"fractured"},{"id":"fractured.stat_2954116742|37543","text":"Allocates Full Recovery","type":"fractured"},{"id":"fractured.stat_2954116742|19442","text":"Allocates Prolonged Assault","type":"fractured"},{"id":"fractured.stat_1569101201","text":"Empowered Attacks deal #% increased Damage","type":"fractured"},{"id":"fractured.stat_2954116742|59596","text":"Allocates Covering Ward","type":"fractured"},{"id":"fractured.stat_2954116742|33978","text":"Allocates Unstoppable Barrier","type":"fractured"},{"id":"fractured.stat_2954116742|47514","text":"Allocates Dizzying Hits","type":"fractured"},{"id":"fractured.stat_2954116742|60692","text":"Allocates Echoing Flames","type":"fractured"},{"id":"fractured.stat_2954116742|50023","text":"Allocates Invigorating Grandeur","type":"fractured"},{"id":"fractured.stat_2954116742|9908","text":"Allocates Price of Freedom","type":"fractured"},{"id":"fractured.stat_2954116742|61404","text":"Allocates Equilibrium","type":"fractured"},{"id":"fractured.stat_2954116742|44765","text":"Allocates Distracting Presence","type":"fractured"},{"id":"fractured.stat_2954116742|39990","text":"Allocates Chronomancy","type":"fractured"},{"id":"fractured.stat_211727","text":"Monsters deal #% of Damage as Extra Cold","type":"fractured"},{"id":"fractured.stat_2954116742|27108","text":"Allocates Mass Hysteria","type":"fractured"},{"id":"fractured.stat_2954116742|4959","text":"Allocates Heavy Frost","type":"fractured"},{"id":"fractured.stat_2954116742|35739","text":"Allocates Crushing Judgement","type":"fractured"},{"id":"fractured.stat_2753083623","text":"Monsters have #% increased Critical Hit Chance","type":"fractured"},{"id":"fractured.stat_2954116742|7847","text":"Allocates The Fabled Stag","type":"fractured"},{"id":"fractured.stat_2954116742|29899","text":"Allocates Finish Them","type":"fractured"},{"id":"fractured.stat_3796523155","text":"#% less effect of Curses on Monsters","type":"fractured"},{"id":"fractured.stat_2954116742|65243","text":"Allocates Enveloping Presence","type":"fractured"},{"id":"fractured.stat_2637470878","text":"#% increased Armour Break Duration","type":"fractured"},{"id":"fractured.stat_2954116742|12998","text":"Allocates Warm the Heart","type":"fractured"},{"id":"fractured.stat_133340941","text":"Area has patches of Ignited Ground","type":"fractured"},{"id":"fractured.stat_2954116742|44293","text":"Allocates Hastening Barrier","type":"fractured"},{"id":"fractured.stat_1742651309","text":"#% of Fire Damage taken Recouped as Life","type":"fractured"},{"id":"fractured.stat_2954116742|18086","text":"Allocates Breath of Ice","type":"fractured"},{"id":"fractured.stat_2550456553","text":"Rare Monsters have # additional Modifier","type":"fractured"},{"id":"fractured.stat_2550456553","text":"Rare Monsters in your Maps have # additional Modifier","type":"fractured"},{"id":"fractured.stat_2954116742|5227","text":"Allocates Escape Strategy","type":"fractured"},{"id":"fractured.stat_1834658952","text":"Small Passive Skills in Radius also grant #% increased Damage against Enemies with Fully Broken Armour","type":"fractured"},{"id":"fractured.stat_2954116742|58714","text":"Allocates Grenadier","type":"fractured"},{"id":"fractured.stat_2954116742|23738","text":"Allocates Madness in the Bones","type":"fractured"},{"id":"fractured.stat_2954116742|50687","text":"Allocates Coursing Energy","type":"fractured"},{"id":"fractured.stat_2954116742|14945","text":"Allocates Growing Swarm","type":"fractured"},{"id":"fractured.stat_2954116742|56112","text":"Allocates Extinguishing Exhalation","type":"fractured"},{"id":"fractured.stat_2954116742|24655","text":"Allocates Breath of Fire","type":"fractured"},{"id":"fractured.stat_2954116742|41972","text":"Allocates Glaciation","type":"fractured"},{"id":"fractured.stat_2954116742|26356","text":"Allocates Primed to Explode","type":"fractured"},{"id":"fractured.stat_2954116742|10612","text":"Allocates Embodiment of Frost","type":"fractured"},{"id":"fractured.stat_2954116742|48617","text":"Allocates Hunter","type":"fractured"},{"id":"fractured.stat_2954116742|4810","text":"Allocates Sanguine Tolerance","type":"fractured"},{"id":"fractured.stat_2954116742|48006","text":"Allocates Devastation","type":"fractured"},{"id":"fractured.stat_2954116742|37742","text":"Allocates Manifold Method","type":"fractured"},{"id":"fractured.stat_2954116742|16790","text":"Allocates Efficient Casting","type":"fractured"},{"id":"fractured.stat_2488361432","text":"#% increased Monster Cast Speed","type":"fractured"},{"id":"fractured.stat_2954116742|10873","text":"Allocates Bestial Rage","type":"fractured"},{"id":"fractured.stat_2954116742|48014","text":"Allocates Honourless","type":"fractured"},{"id":"fractured.stat_3233599707","text":"#% increased Weapon Swap Speed","type":"fractured"},{"id":"fractured.stat_1994551050","text":"Monsters have #% increased Ailment Threshold","type":"fractured"},{"id":"fractured.stat_2954116742|15829","text":"Allocates Siphon","type":"fractured"},{"id":"fractured.stat_1002362373","text":"#% increased Melee Damage","type":"fractured"},{"id":"fractured.stat_3811191316","text":"Minions have #% increased Area of Effect","type":"fractured"},{"id":"fractured.stat_2954116742|42347","text":"Allocates Chakra of Sight","type":"fractured"},{"id":"fractured.stat_3679418014","text":"#% of Cold Damage taken Recouped as Life","type":"fractured"},{"id":"fractured.stat_2954116742|48524","text":"Allocates Blood Transfusion","type":"fractured"},{"id":"fractured.stat_2954116742|42981","text":"Allocates Cruel Methods","type":"fractured"},{"id":"fractured.stat_2954116742|31326","text":"Allocates Slow Burn","type":"fractured"},{"id":"fractured.stat_2954116742|43090","text":"Allocates Electrotherapy","type":"fractured"},{"id":"fractured.stat_2549889921","text":"Players gain #% reduced Flask Charges","type":"fractured"},{"id":"fractured.stat_2954116742|31745","text":"Allocates Lockdown","type":"fractured"},{"id":"fractured.stat_2954116742|8896","text":"Allocates Agile Sprinter","type":"fractured"},{"id":"fractured.stat_2954116742|9444","text":"Allocates One with the Storm","type":"fractured"},{"id":"fractured.stat_2954116742|2575","text":"Allocates Ancestral Alacrity","type":"fractured"},{"id":"fractured.stat_2506820610","text":"Monsters have #% chance to inflict Bleeding on Hit","type":"fractured"},{"id":"fractured.stat_2954116742|25619","text":"Allocates Sand in the Eyes","type":"fractured"},{"id":"fractured.stat_2508044078","text":"Monsters inflict #% increased Flammability Magnitude","type":"fractured"},{"id":"fractured.stat_1054098949","text":"+#% Monster Elemental Resistances","type":"fractured"},{"id":"fractured.stat_2954116742|34316","text":"Allocates One with the River","type":"fractured"},{"id":"fractured.stat_95249895","text":"#% more Monster Life","type":"fractured"},{"id":"fractured.stat_1984618452","text":"Monsters have #% increased Shock Chance","type":"fractured"},{"id":"fractured.stat_2954116742|48103","text":"Allocates Forcewave","type":"fractured"},{"id":"fractured.stat_2954116742|56063","text":"Allocates Lingering Horror","type":"fractured"},{"id":"fractured.stat_2954116742|43423","text":"Allocates Emboldened Avatar","type":"fractured"},{"id":"fractured.stat_2954116742|41033","text":"Allocates Utmost Offering","type":"fractured"},{"id":"fractured.stat_2954116742|42036","text":"Allocates Off-Balancing Retort","type":"fractured"},{"id":"fractured.stat_2954116742|35809","text":"Allocates Reinvigoration","type":"fractured"},{"id":"fractured.stat_2954116742|53566","text":"Allocates Run and Gun","type":"fractured"},{"id":"fractured.stat_2954116742|7395","text":"Allocates Retaliation","type":"fractured"},{"id":"fractured.stat_2954116742|23630","text":"Allocates Self Immolation","type":"fractured"},{"id":"fractured.stat_2954116742|24438","text":"Allocates Hardened Wood","type":"fractured"},{"id":"fractured.stat_2954116742|3188","text":"Allocates Revenge","type":"fractured"},{"id":"fractured.stat_2954116742|32721","text":"Allocates Distracted Target","type":"fractured"},{"id":"fractured.stat_2954116742|9421","text":"Allocates Snowpiercer","type":"fractured"},{"id":"fractured.stat_1890519597","text":"#% increased Monster Damage","type":"fractured"},{"id":"fractured.stat_2954116742|36507","text":"Allocates Vile Mending","type":"fractured"},{"id":"fractured.stat_2954116742|35581","text":"Allocates Near at Hand","type":"fractured"},{"id":"fractured.stat_2954116742|42245","text":"Allocates Efficient Inscriptions","type":"fractured"},{"id":"fractured.stat_2954116742|14343","text":"Allocates Deterioration","type":"fractured"},{"id":"fractured.stat_2954116742|50715","text":"Allocates Frozen Limit","type":"fractured"},{"id":"fractured.stat_2954116742|37302","text":"Allocates Kept at Bay","type":"fractured"},{"id":"fractured.stat_2954116742|43829","text":"Allocates Advanced Munitions","type":"fractured"},{"id":"fractured.stat_115425161","text":"Monsters have #% increased Stun Buildup","type":"fractured"},{"id":"fractured.stat_2954116742|53921","text":"Allocates Unbreaking","type":"fractured"},{"id":"fractured.stat_2954116742|24764","text":"Allocates Infusing Power","type":"fractured"},{"id":"fractured.stat_2954116742|28441","text":"Allocates Frantic Swings","type":"fractured"},{"id":"fractured.stat_2954116742|4673","text":"Allocates Hulking Smash","type":"fractured"},{"id":"fractured.stat_2954116742|55847","text":"Allocates Ice Walls","type":"fractured"},{"id":"fractured.stat_2954116742|20416","text":"Allocates Grit","type":"fractured"},{"id":"fractured.stat_2954116742|12906","text":"Allocates Sitting Duck","type":"fractured"},{"id":"fractured.stat_2954116742|63579","text":"Allocates Momentum","type":"fractured"},{"id":"fractured.stat_2954116742|8397","text":"Allocates Empowering Remains","type":"fractured"},{"id":"fractured.stat_2954116742|61026","text":"Allocates Crystalline Flesh","type":"fractured"},{"id":"fractured.stat_2954116742|1169","text":"Allocates Urgent Call","type":"fractured"},{"id":"fractured.stat_2954116742|33093","text":"Allocates Effervescent","type":"fractured"},{"id":"fractured.stat_2954116742|4661","text":"Allocates Inspiring Leader","type":"fractured"},{"id":"fractured.stat_2954116742|56616","text":"Allocates Desperate Times","type":"fractured"},{"id":"fractured.stat_2954116742|9604","text":"Allocates Thirst of Kitava","type":"fractured"},{"id":"fractured.stat_3374165039","text":"#% increased Totem Placement speed","type":"fractured"},{"id":"fractured.stat_2954116742|39083","text":"Allocates Blood Rush","type":"fractured"},{"id":"fractured.stat_2954116742|43939","text":"Allocates Melting Flames","type":"fractured"},{"id":"fractured.stat_2954116742|17303","text":"Allocates Utility Ordnance","type":"fractured"},{"id":"fractured.stat_1588049749","text":"Monsters have #% increased Accuracy Rating","type":"fractured"},{"id":"fractured.stat_2954116742|60083","text":"Allocates Pin and Run","type":"fractured"},{"id":"fractured.stat_2954116742|5642","text":"Allocates Behemoth","type":"fractured"},{"id":"fractured.stat_2954116742|35560","text":"Allocates At your Command","type":"fractured"},{"id":"fractured.stat_95221307","text":"Monsters have #% chance to Poison on Hit","type":"fractured"},{"id":"fractured.stat_2954116742|41811","text":"Allocates Shatter Palm","type":"fractured"},{"id":"fractured.stat_2954116742|37276","text":"Allocates Battle Trance","type":"fractured"},{"id":"fractured.stat_2954116742|24120","text":"Allocates Mental Toughness","type":"fractured"},{"id":"fractured.stat_2029171424","text":"Players are periodically Cursed with Enfeeble","type":"fractured"},{"id":"fractured.stat_2954116742|19546","text":"Allocates Favourable Odds","type":"fractured"},{"id":"fractured.stat_2887760183","text":"Monsters gain #% of maximum Life as Extra maximum Energy Shield","type":"fractured"},{"id":"fractured.stat_2954116742|19156","text":"Allocates Immaterial","type":"fractured"}]},{"id":"enchant","label":"Enchant","entries":[{"id":"enchant.stat_1715784068","text":"Players in Area are #% Delirious","type":"enchant"},{"id":"enchant.stat_3261801346","text":"# to Dexterity","type":"enchant"},{"id":"enchant.stat_4080418644","text":"# to Strength","type":"enchant"},{"id":"enchant.stat_328541901","text":"# to Intelligence","type":"enchant"},{"id":"enchant.stat_1671376347","text":"#% to Lightning Resistance","type":"enchant"},{"id":"enchant.stat_4220027924","text":"#% to Cold Resistance","type":"enchant"},{"id":"enchant.stat_3372524247","text":"#% to Fire Resistance","type":"enchant"},{"id":"enchant.stat_3873704640","text":"#% increased number of Magic Monsters","type":"enchant"},{"id":"enchant.stat_3873704640","text":"#% increased Magic Monsters","type":"enchant"},{"id":"enchant.stat_3793155082","text":"#% increased number of Rare Monsters","type":"enchant"},{"id":"enchant.stat_2923486259","text":"#% to Chaos Resistance","type":"enchant"},{"id":"enchant.stat_3138466258","text":"#% increased Precursor Tablets found in Area","type":"enchant"},{"id":"enchant.stat_3138466258","text":"#% increased Quantity of Precursor Tablets found in your Maps","type":"enchant"},{"id":"enchant.stat_3732878551","text":"Rare Monsters have a #% chance to have an additional Modifier","type":"enchant"},{"id":"enchant.stat_3732878551","text":"Rare Monsters in your Maps have a #% chance to have an additional Modifier","type":"enchant"},{"id":"enchant.stat_3639275092","text":"#% increased Attribute Requirements","type":"enchant"},{"id":"enchant.stat_3371085671","text":"Unique Monsters have # additional Rare Modifier","type":"enchant"},{"id":"enchant.stat_3371085671","text":"Unique Monsters in your Maps have # additional Rare Modifier","type":"enchant"},{"id":"enchant.stat_3836551197","text":"#% increased Stack size of Simulacrum Splinters found in Area","type":"enchant"},{"id":"enchant.stat_3836551197","text":"#% increased Stack size of Simulacrum Splinters found in your Maps","type":"enchant"},{"id":"enchant.stat_789117908","text":"#% increased Mana Regeneration Rate","type":"enchant"},{"id":"enchant.stat_3299347043","text":"# to maximum Life","type":"enchant"},{"id":"enchant.stat_4015621042","text":"#% increased Energy Shield","type":"enchant"},{"id":"enchant.stat_3981240776","text":"# to Spirit","type":"enchant"},{"id":"enchant.stat_803737631","text":"# to Accuracy Rating","type":"enchant"},{"id":"enchant.stat_1315743832","text":"#% increased Thorns damage","type":"enchant"},{"id":"enchant.stat_1050105434","text":"# to maximum Mana","type":"enchant"},{"id":"enchant.stat_836936635","text":"Regenerate #% of maximum Life per second","type":"enchant"},{"id":"enchant.stat_472520716","text":"#% of Damage taken Recouped as Mana","type":"enchant"},{"id":"enchant.stat_1444556985","text":"#% of Damage taken Recouped as Life","type":"enchant"},{"id":"enchant.stat_2154246560","text":"#% increased Damage","type":"enchant"},{"id":"enchant.stat_2694482655","text":"#% to Critical Damage Bonus","type":"enchant"},{"id":"enchant.stat_3556824919","text":"#% increased Critical Damage Bonus","type":"enchant"},{"id":"enchant.stat_3336890334","text":"Adds # to # Lightning Damage","type":"enchant"},{"id":"enchant.stat_227523295","text":"# to Maximum Power Charges","type":"enchant"},{"id":"enchant.stat_210067635","text":"#% increased Attack Speed (Local)","type":"enchant"},{"id":"enchant.stat_1509134228","text":"#% increased Physical Damage","type":"enchant"},{"id":"enchant.stat_970213192","text":"#% increased Skill Speed","type":"enchant"},{"id":"enchant.stat_3429557654","text":"Immune to Maim","type":"enchant"},{"id":"enchant.stat_721014846","text":"You cannot be Hindered","type":"enchant"},{"id":"enchant.stat_1037193709","text":"Adds # to # Cold Damage","type":"enchant"},{"id":"enchant.stat_387439868","text":"#% increased Elemental Damage with Attacks","type":"enchant"},{"id":"enchant.stat_709508406","text":"Adds # to # Fire Damage","type":"enchant"},{"id":"enchant.stat_1658498488","text":"Corrupted Blood cannot be inflicted on you","type":"enchant"},{"id":"enchant.stat_1436284579","text":"Cannot be Blinded","type":"enchant"},{"id":"enchant.stat_3771516363","text":"#% additional Physical Damage Reduction","type":"enchant"},{"id":"enchant.stat_3676141501","text":"#% to Maximum Cold Resistance","type":"enchant"},{"id":"enchant.stat_2162097452","text":"# to Level of all Minion Skills","type":"enchant"},{"id":"enchant.stat_3917489142","text":"#% increased Rarity of Items found","type":"enchant"},{"id":"enchant.stat_818778753","text":"Damage Penetrates #% Lightning Resistance","type":"enchant"},{"id":"enchant.stat_2901986750","text":"#% to all Elemental Resistances","type":"enchant"},{"id":"enchant.stat_3417711605","text":"Damage Penetrates #% Cold Resistance","type":"enchant"},{"id":"enchant.stat_2974417149","text":"#% increased Spell Damage","type":"enchant"},{"id":"enchant.stat_2653955271","text":"Damage Penetrates #% Fire Resistance","type":"enchant"},{"id":"enchant.stat_2223678961","text":"Adds # to # Chaos damage","type":"enchant"},{"id":"enchant.stat_1999113824","text":"#% increased Evasion and Energy Shield","type":"enchant"},{"id":"enchant.stat_1776411443","text":"Break #% increased Armour","type":"enchant"},{"id":"enchant.stat_124859000","text":"#% increased Evasion Rating (Local)","type":"enchant"},{"id":"enchant.stat_44972811","text":"#% increased Life Regeneration rate","type":"enchant"},{"id":"enchant.stat_1062208444","text":"#% increased Armour (Local)","type":"enchant"},{"id":"enchant.stat_3780644166","text":"#% increased Freeze Threshold","type":"enchant"},{"id":"enchant.stat_680068163","text":"#% increased Stun Threshold","type":"enchant"},{"id":"enchant.stat_2482852589","text":"#% increased maximum Energy Shield","type":"enchant"},{"id":"enchant.stat_1978899297","text":"#% to all Maximum Elemental Resistances","type":"enchant"},{"id":"enchant.stat_3321629045","text":"#% increased Armour and Energy Shield","type":"enchant"},{"id":"enchant.stat_2106365538","text":"#% increased Evasion Rating","type":"enchant"},{"id":"enchant.stat_2954116742|57190","text":"Allocates Doomsayer","type":"enchant"},{"id":"enchant.stat_2866361420","text":"#% increased Armour","type":"enchant"},{"id":"enchant.stat_4078695","text":"# to Maximum Frenzy Charges","type":"enchant"},{"id":"enchant.stat_1725749947","text":"Grants # Rage on Hit","type":"enchant"},{"id":"enchant.stat_548198834","text":"#% increased Melee Strike Range with this weapon","type":"enchant"},{"id":"enchant.stat_3984865854","text":"#% increased Spirit","type":"enchant"},{"id":"enchant.stat_2954116742|30456","text":"Allocates High Alert","type":"enchant"},{"id":"enchant.stat_2954116742|57388","text":"Allocates Overwhelming Strike","type":"enchant"},{"id":"enchant.stat_9187492","text":"# to Level of all Melee Skills","type":"enchant"},{"id":"enchant.stat_1368271171","text":"Gain # Mana per enemy killed","type":"enchant"},{"id":"enchant.stat_1798257884","text":"Allies in your Presence deal #% increased Damage","type":"enchant"},{"id":"enchant.stat_924253255","text":"#% increased Slowing Potency of Debuffs on You","type":"enchant"},{"id":"enchant.stat_1782086450","text":"#% faster start of Energy Shield Recharge","type":"enchant"},{"id":"enchant.stat_2481353198","text":"#% increased Block chance (Local)","type":"enchant"},{"id":"enchant.stat_3695891184","text":"Gain # Life per enemy killed","type":"enchant"},{"id":"enchant.stat_3057012405","text":"Allies in your Presence have #% increased Critical Damage Bonus","type":"enchant"},{"id":"enchant.stat_791928121","text":"Causes #% increased Stun Buildup","type":"enchant"},{"id":"enchant.stat_2763429652","text":"#% chance to Maim on Hit","type":"enchant"},{"id":"enchant.stat_2250533757","text":"#% increased Movement Speed","type":"enchant"},{"id":"enchant.stat_1011760251","text":"#% to Maximum Lightning Resistance","type":"enchant"},{"id":"enchant.stat_3233599707","text":"#% increased Weapon Swap Speed","type":"enchant"},{"id":"enchant.stat_737908626","text":"#% increased Critical Hit Chance for Spells","type":"enchant"},{"id":"enchant.stat_707457662","text":"Leech #% of Physical Attack Damage as Mana","type":"enchant"},{"id":"enchant.stat_2301191210","text":"#% chance to Blind Enemies on hit","type":"enchant"},{"id":"enchant.stat_3650992555","text":"Debuffs you inflict have #% increased Slow Magnitude","type":"enchant"},{"id":"enchant.stat_2557965901","text":"Leech #% of Physical Attack Damage as Life","type":"enchant"},{"id":"enchant.stat_2891184298","text":"#% increased Cast Speed","type":"enchant"},{"id":"enchant.stat_2954116742|38535","text":"Allocates Stormcharged","type":"enchant"},{"id":"enchant.stat_2954116742|34473","text":"Allocates Spaghettification","type":"enchant"},{"id":"enchant.stat_185580205","text":"Charms gain # charges per Second","type":"enchant"},{"id":"enchant.stat_2200293569","text":"Mana Flasks gain # charges per Second","type":"enchant"},{"id":"enchant.stat_2451402625","text":"#% increased Armour and Evasion","type":"enchant"},{"id":"enchant.stat_1102738251","text":"Life Flasks gain # charges per Second","type":"enchant"},{"id":"enchant.stat_1515657623","text":"# to Maximum Endurance Charges","type":"enchant"},{"id":"enchant.stat_2954116742|42177","text":"Allocates Blurred Motion","type":"enchant"},{"id":"enchant.stat_4095671657","text":"#% to Maximum Fire Resistance","type":"enchant"},{"id":"enchant.stat_3885634897","text":"#% chance to Poison on Hit with this weapon","type":"enchant"},{"id":"enchant.stat_2954116742|34300","text":"Allocates Conservative Casting","type":"enchant"},{"id":"enchant.stat_2954116742|116","text":"Allocates Insightfulness","type":"enchant"},{"id":"enchant.stat_2954116742|44566","text":"Allocates Lightning Rod","type":"enchant"},{"id":"enchant.stat_2954116742|8827","text":"Allocates Fast Metabolism","type":"enchant"},{"id":"enchant.stat_293638271","text":"#% increased chance to Shock","type":"enchant"},{"id":"enchant.stat_2968503605","text":"#% increased Flammability Magnitude","type":"enchant"},{"id":"enchant.stat_473429811","text":"#% increased Freeze Buildup","type":"enchant"},{"id":"enchant.stat_762600725","text":"# Life gained when you Block","type":"enchant"},{"id":"enchant.stat_4081947835","text":"Projectiles have #% chance to Chain an additional time from terrain","type":"enchant"},{"id":"enchant.stat_2122183138","text":"# Mana gained when you Block","type":"enchant"},{"id":"enchant.stat_2954116742|32301","text":"Allocates Frazzled","type":"enchant"},{"id":"enchant.stat_2954116742|27303","text":"Allocates Vulgar Methods","type":"enchant"},{"id":"enchant.stat_2954116742|11826","text":"Allocates Heavy Ammunition","type":"enchant"},{"id":"enchant.stat_480796730","text":"#% to maximum Block chance","type":"enchant"},{"id":"enchant.stat_2321178454","text":"#% chance to Pierce an Enemy","type":"enchant"},{"id":"enchant.stat_2954116742|55193","text":"Allocates Subterfuge Mask","type":"enchant"},{"id":"enchant.stat_289128254","text":"Allies in your Presence have #% increased Cast Speed","type":"enchant"},{"id":"enchant.stat_1998951374","text":"Allies in your Presence have #% increased Attack Speed","type":"enchant"},{"id":"enchant.stat_2954116742|4534","text":"Allocates Piercing Shot","type":"enchant"},{"id":"enchant.stat_1545858329","text":"# to Level of all Lightning Spell Skills","type":"enchant"},{"id":"enchant.stat_591105508","text":"# to Level of all Fire Spell Skills","type":"enchant"},{"id":"enchant.stat_2254480358","text":"# to Level of all Cold Spell Skills","type":"enchant"},{"id":"enchant.stat_4226189338","text":"# to Level of all Chaos Spell Skills","type":"enchant"},{"id":"enchant.stat_3175163625","text":"#% increased Quantity of Gold Dropped by Slain Enemies","type":"enchant"},{"id":"enchant.stat_1600707273","text":"# to Level of all Physical Spell Skills","type":"enchant"},{"id":"enchant.stat_2954116742|50562","text":"Allocates Barbaric Strength","type":"enchant"},{"id":"enchant.stat_2954116742|5728","text":"Allocates Ancient Aegis","type":"enchant"},{"id":"enchant.stat_2954116742|18496","text":"Allocates Lasting Trauma","type":"enchant"},{"id":"enchant.stat_2954116742|28975","text":"Allocates Pure Power","type":"enchant"},{"id":"enchant.stat_2954116742|33099","text":"Allocates Hunter's Talisman","type":"enchant"},{"id":"enchant.stat_2954116742|37266","text":"Allocates Nourishing Ally","type":"enchant"},{"id":"enchant.stat_3885405204","text":"Bow Attacks fire # additional Arrows","type":"enchant"},{"id":"enchant.stat_2954116742|36085","text":"Allocates Serrated Edges","type":"enchant"},{"id":"enchant.stat_2954116742|61703","text":"Allocates Sharpened Claw","type":"enchant"},{"id":"enchant.stat_1519615863","text":"#% chance to cause Bleeding on Hit","type":"enchant"},{"id":"enchant.stat_4236566306","text":"Meta Skills gain #% increased Energy","type":"enchant"},{"id":"enchant.stat_2954116742|43082","text":"Allocates Acceleration","type":"enchant"},{"id":"enchant.stat_2954116742|4031","text":"Allocates Icebreaker","type":"enchant"},{"id":"enchant.stat_2954116742|14761","text":"Allocates Warlord Leader","type":"enchant"},{"id":"enchant.stat_2954116742|15829","text":"Allocates Siphon","type":"enchant"},{"id":"enchant.stat_2954116742|65160","text":"Allocates Titanic","type":"enchant"},{"id":"enchant.stat_3398787959","text":"Gain #% of Damage as Extra Chaos Damage","type":"enchant"},{"id":"enchant.stat_280731498","text":"#% increased Area of Effect","type":"enchant"},{"id":"enchant.stat_3377888098","text":"#% increased Skill Effect Duration","type":"enchant"},{"id":"enchant.stat_2954116742|57204","text":"Allocates Critical Exploit","type":"enchant"},{"id":"enchant.stat_2954116742|26291","text":"Allocates Electrifying Nature","type":"enchant"},{"id":"enchant.stat_2954116742|56453","text":"Allocates Killer Instinct","type":"enchant"},{"id":"enchant.stat_2954116742|56776","text":"Allocates Cooked","type":"enchant"},{"id":"enchant.stat_2954116742|64851","text":"Allocates Flashy Parrying","type":"enchant"},{"id":"enchant.stat_2954116742|24120","text":"Allocates Mental Toughness","type":"enchant"},{"id":"enchant.stat_2353576063","text":"#% increased Curse Magnitudes","type":"enchant"},{"id":"enchant.stat_2954116742|9226","text":"Allocates Mental Perseverance","type":"enchant"},{"id":"enchant.stat_1316278494","text":"#% increased Warcry Speed","type":"enchant"},{"id":"enchant.stat_2954116742|62230","text":"Allocates Patient Barrier","type":"enchant"},{"id":"enchant.stat_2954116742|45599","text":"Allocates Lay Siege","type":"enchant"},{"id":"enchant.stat_1004011302","text":"#% increased Cooldown Recovery Rate","type":"enchant"},{"id":"enchant.stat_4283407333","text":"# to Level of all Skills","type":"enchant"},{"id":"enchant.stat_2954116742|23227","text":"Allocates Initiative","type":"enchant"},{"id":"enchant.stat_2954116742|21380","text":"Allocates Preemptive Strike","type":"enchant"},{"id":"enchant.stat_2954116742|10873","text":"Allocates Bestial Rage","type":"enchant"},{"id":"enchant.stat_2954116742|59720","text":"Allocates Beastial Skin","type":"enchant"},{"id":"enchant.stat_2954116742|22864","text":"Allocates Tainted Strike","type":"enchant"},{"id":"enchant.stat_2954116742|7809","text":"Allocates Wild Storm","type":"enchant"},{"id":"enchant.stat_2954116742|16618","text":"Allocates Jack of all Trades","type":"enchant"},{"id":"enchant.stat_2954116742|9736","text":"Allocates Insulated Treads","type":"enchant"},{"id":"enchant.stat_2954116742|31172","text":"Allocates Falcon Technique","type":"enchant"},{"id":"enchant.stat_2954116742|64543","text":"Allocates Unbound Forces","type":"enchant"},{"id":"enchant.stat_2954116742|40166","text":"Allocates Deep Trance","type":"enchant"},{"id":"enchant.stat_101878827","text":"#% increased Presence Area of Effect","type":"enchant"},{"id":"enchant.stat_2954116742|42077","text":"Allocates Essence Infusion","type":"enchant"},{"id":"enchant.stat_2954116742|44917","text":"Allocates Self Mortification","type":"enchant"},{"id":"enchant.stat_2954116742|29527","text":"Allocates First Approach","type":"enchant"},{"id":"enchant.stat_2954116742|40480","text":"Allocates Harmonic Generator","type":"enchant"},{"id":"enchant.stat_2954116742|45612","text":"Allocates Defensive Reflexes","type":"enchant"},{"id":"enchant.stat_2954116742|19044","text":"Allocates Arcane Intensity","type":"enchant"},{"id":"enchant.stat_2954116742|32354","text":"Allocates Defiance","type":"enchant"},{"id":"enchant.stat_2954116742|48006","text":"Allocates Devastation","type":"enchant"},{"id":"enchant.stat_2954116742|58016","text":"Allocates All Natural","type":"enchant"},{"id":"enchant.stat_2954116742|63074","text":"Allocates Dark Entries","type":"enchant"},{"id":"enchant.stat_2954116742|15374","text":"Allocates Hale Heart","type":"enchant"},{"id":"enchant.stat_2954116742|58939","text":"Allocates Dispatch Foes","type":"enchant"},{"id":"enchant.stat_2954116742|32071","text":"Allocates Primal Growth","type":"enchant"},{"id":"enchant.stat_2954116742|372","text":"Allocates Heatproof","type":"enchant"},{"id":"enchant.stat_2954116742|51606","text":"Allocates Freedom of Movement","type":"enchant"},{"id":"enchant.stat_2954116742|7163","text":"Allocates Stimulants","type":"enchant"},{"id":"enchant.stat_2954116742|4295","text":"Allocates Adverse Growth","type":"enchant"},{"id":"enchant.stat_2954116742|8531","text":"Allocates Leaping Ambush","type":"enchant"},{"id":"enchant.stat_2954116742|38537","text":"Allocates Heartstopping","type":"enchant"},{"id":"enchant.stat_2954116742|2511","text":"Allocates Sundering","type":"enchant"},{"id":"enchant.stat_2954116742|11578","text":"Allocates Spreading Shocks","type":"enchant"},{"id":"enchant.stat_2954116742|56806","text":"Allocates Swift Blocking","type":"enchant"},{"id":"enchant.stat_2954116742|16256","text":"Allocates Ether Flow","type":"enchant"},{"id":"enchant.stat_2954116742|61601","text":"Allocates True Strike","type":"enchant"},{"id":"enchant.stat_2954116742|27388","text":"Allocates Aspiring Genius","type":"enchant"},{"id":"enchant.stat_2954116742|57047","text":"Allocates Polymathy","type":"enchant"},{"id":"enchant.stat_2954116742|17955","text":"Allocates Careful Consideration","type":"enchant"},{"id":"enchant.stat_2954116742|4959","text":"Allocates Heavy Frost","type":"enchant"},{"id":"enchant.stat_2954116742|42302","text":"Allocates Split Shot","type":"enchant"},{"id":"enchant.stat_2954116742|49618","text":"Allocates Deadly Flourish","type":"enchant"},{"id":"enchant.stat_2954116742|1546","text":"Allocates Spiral into Depression","type":"enchant"},{"id":"enchant.stat_2954116742|53853","text":"Allocates Backup Plan","type":"enchant"},{"id":"enchant.stat_2954116742|10681","text":"Allocates Defensive Stance","type":"enchant"},{"id":"enchant.stat_2954116742|50062","text":"Allocates Reinforced Barrier","type":"enchant"},{"id":"enchant.stat_2954116742|3215","text":"Allocates Melding","type":"enchant"},{"id":"enchant.stat_2954116742|57110","text":"Allocates Infused Flesh","type":"enchant"},{"id":"enchant.stat_2954116742|50795","text":"Allocates Careful Aim","type":"enchant"},{"id":"enchant.stat_2954116742|26107","text":"Allocates Kite Runner","type":"enchant"},{"id":"enchant.stat_1967051901","text":"Loads an additional bolt","type":"enchant"},{"id":"enchant.stat_2954116742|38888","text":"Allocates Unerring Impact","type":"enchant"},{"id":"enchant.stat_2954116742|46197","text":"Allocates Careful Assassin","type":"enchant"},{"id":"enchant.stat_2954116742|46060","text":"Allocates Voracious","type":"enchant"},{"id":"enchant.stat_2954116742|22967","text":"Allocates Vigilance","type":"enchant"},{"id":"enchant.stat_2954116742|50687","text":"Allocates Coursing Energy","type":"enchant"},{"id":"enchant.stat_2954116742|25482","text":"Allocates Beef","type":"enchant"},{"id":"enchant.stat_2954116742|33059","text":"Allocates Back in Action","type":"enchant"},{"id":"enchant.stat_2954116742|46224","text":"Allocates Arcane Alchemy","type":"enchant"},{"id":"enchant.stat_2954116742|17882","text":"Allocates Volatile Grenades","type":"enchant"},{"id":"enchant.stat_2954116742|4716","text":"Allocates Afterimage","type":"enchant"},{"id":"enchant.stat_2954116742|9472","text":"Allocates Catapult","type":"enchant"},{"id":"enchant.stat_2954116742|25619","text":"Allocates Sand in the Eyes","type":"enchant"},{"id":"enchant.stat_2954116742|53150","text":"Allocates Sharp Sight","type":"enchant"},{"id":"enchant.stat_2954116742|65265","text":"Allocates Swift Interruption","type":"enchant"},{"id":"enchant.stat_2954116742|18505","text":"Allocates Crushing Verdict","type":"enchant"},{"id":"enchant.stat_2954116742|63585","text":"Allocates Thunderstruck","type":"enchant"},{"id":"enchant.stat_2954116742|15617","text":"Allocates Heavy Drinker","type":"enchant"},{"id":"enchant.stat_2954116742|48565","text":"Allocates Bringer of Order","type":"enchant"},{"id":"enchant.stat_2954116742|60269","text":"Allocates Roil","type":"enchant"},{"id":"enchant.stat_2954116742|8810","text":"Allocates Multitasking","type":"enchant"},{"id":"enchant.stat_2954116742|10998","text":"Allocates Strong Chin","type":"enchant"},{"id":"enchant.stat_2954116742|55060","text":"Allocates Shrapnel","type":"enchant"},{"id":"enchant.stat_2954116742|34340","text":"Allocates Mass Rejuvenation","type":"enchant"},{"id":"enchant.stat_2954116742|9908","text":"Allocates Price of Freedom","type":"enchant"},{"id":"enchant.stat_2954116742|37543","text":"Allocates Full Recovery","type":"enchant"},{"id":"enchant.stat_2954116742|53294","text":"Allocates Burn Away","type":"enchant"},{"id":"enchant.stat_2954116742|65193","text":"Allocates Viciousness","type":"enchant"},{"id":"enchant.stat_2954116742|37806","text":"Allocates Branching Bolts","type":"enchant"},{"id":"enchant.stat_2954116742|8660","text":"Allocates Reverberation","type":"enchant"},{"id":"enchant.stat_2954116742|34324","text":"Allocates Spectral Ward","type":"enchant"},{"id":"enchant.stat_2954116742|27108","text":"Allocates Mass Hysteria","type":"enchant"},{"id":"enchant.stat_2954116742|42354","text":"Allocates Blinding Flash","type":"enchant"},{"id":"enchant.stat_2954116742|19125","text":"Allocates Potent Incantation","type":"enchant"},{"id":"enchant.stat_2954116742|19955","text":"Allocates Endless Blizzard","type":"enchant"},{"id":"enchant.stat_2954116742|58397","text":"Allocates Proficiency","type":"enchant"},{"id":"enchant.stat_2954116742|30341","text":"Allocates Master Fletching","type":"enchant"},{"id":"enchant.stat_2954116742|37276","text":"Allocates Battle Trance","type":"enchant"},{"id":"enchant.stat_2954116742|40213","text":"Allocates Taste for Blood","type":"enchant"},{"id":"enchant.stat_2954116742|27687","text":"Allocates Greatest Defence","type":"enchant"},{"id":"enchant.stat_2954116742|16466","text":"Allocates Mental Alacrity","type":"enchant"},{"id":"enchant.stat_2954116742|19156","text":"Allocates Immaterial","type":"enchant"},{"id":"enchant.stat_2954116742|41512","text":"Allocates Heavy Weaponry","type":"enchant"},{"id":"enchant.stat_2954116742|54937","text":"Allocates Vengeful Fury","type":"enchant"},{"id":"enchant.stat_2954116742|4709","text":"Allocates Near Sighted","type":"enchant"},{"id":"enchant.stat_2954116742|56265","text":"Allocates Throatseeker","type":"enchant"},{"id":"enchant.stat_2954116742|39369","text":"Allocates Struck Through","type":"enchant"},{"id":"enchant.stat_2954116742|53030","text":"Allocates Immolation","type":"enchant"},{"id":"enchant.stat_2954116742|46972","text":"Allocates Arcane Mixtures","type":"enchant"},{"id":"enchant.stat_2954116742|25513","text":"Allocates Overwhelm","type":"enchant"},{"id":"enchant.stat_2954116742|4627","text":"Allocates Climate Change","type":"enchant"},{"id":"enchant.stat_2954116742|55149","text":"Allocates Pure Chaos","type":"enchant"},{"id":"enchant.stat_2954116742|49088","text":"Allocates Splintering Force","type":"enchant"},{"id":"enchant.stat_2954116742|59596","text":"Allocates Covering Ward","type":"enchant"},{"id":"enchant.stat_2954116742|28329","text":"Allocates Pressure Points","type":"enchant"},{"id":"enchant.stat_2954116742|60764","text":"Allocates Feathered Fletching","type":"enchant"},{"id":"enchant.stat_2954116742|20916","text":"Allocates Blinding Strike","type":"enchant"},{"id":"enchant.stat_2954116742|45632","text":"Allocates Mind Eraser","type":"enchant"},{"id":"enchant.stat_2954116742|48103","text":"Allocates Forcewave","type":"enchant"},{"id":"enchant.stat_2954116742|17600","text":"Allocates Thirsting Ally","type":"enchant"},{"id":"enchant.stat_2954116742|4673","text":"Allocates Hulking Smash","type":"enchant"},{"id":"enchant.stat_2954116742|32976","text":"Allocates Gem Enthusiast","type":"enchant"},{"id":"enchant.stat_2954116742|28267","text":"Allocates Desensitisation","type":"enchant"},{"id":"enchant.stat_2954116742|24753","text":"Allocates Determined Precision","type":"enchant"},{"id":"enchant.stat_2954116742|38479","text":"Allocates Close Confines","type":"enchant"},{"id":"enchant.stat_2954116742|60083","text":"Allocates Pin and Run","type":"enchant"},{"id":"enchant.stat_2954116742|5284","text":"Allocates Shredding Force","type":"enchant"},{"id":"enchant.stat_2954116742|21206","text":"Allocates Explosive Impact","type":"enchant"},{"id":"enchant.stat_2954116742|16626","text":"Allocates Impact Area","type":"enchant"},{"id":"enchant.stat_2954116742|38972","text":"Allocates Restless Dead","type":"enchant"},{"id":"enchant.stat_2954116742|15644","text":"Allocates Shedding Skin","type":"enchant"},{"id":"enchant.stat_2954116742|17340","text":"Allocates Adrenaline Rush","type":"enchant"},{"id":"enchant.stat_2954116742|52392","text":"Allocates Singular Purpose","type":"enchant"},{"id":"enchant.stat_2954116742|37514","text":"Allocates Whirling Assault","type":"enchant"},{"id":"enchant.stat_2954116742|12611","text":"Allocates Harness the Elements","type":"enchant"},{"id":"enchant.stat_2954116742|35849","text":"Allocates Thickened Arteries","type":"enchant"},{"id":"enchant.stat_2954116742|24483","text":"Allocates Direct Approach","type":"enchant"},{"id":"enchant.stat_2954116742|58714","text":"Allocates Grenadier","type":"enchant"},{"id":"enchant.stat_2954116742|54998","text":"Allocates Protraction","type":"enchant"},{"id":"enchant.stat_2954116742|17260","text":"Allocates Piercing Claw","type":"enchant"},{"id":"enchant.stat_2954116742|6304","text":"Allocates Stand Ground","type":"enchant"},{"id":"enchant.stat_2954116742|18397","text":"Allocates Savoured Blood","type":"enchant"},{"id":"enchant.stat_2954116742|48974","text":"Allocates Altered Brain Chemistry","type":"enchant"},{"id":"enchant.stat_2954116742|47418","text":"Allocates Warding Potions","type":"enchant"},{"id":"enchant.stat_2954116742|11838","text":"Allocates Dreamcatcher","type":"enchant"},{"id":"enchant.stat_2954116742|1087","text":"Allocates Shockwaves","type":"enchant"},{"id":"enchant.stat_2954116742|2021","text":"Allocates Wellspring","type":"enchant"},{"id":"enchant.stat_2954116742|27950","text":"Allocates Polished Iron","type":"enchant"},{"id":"enchant.stat_2954116742|48014","text":"Allocates Honourless","type":"enchant"},{"id":"enchant.stat_2954116742|4931","text":"Allocates Dependable Ward","type":"enchant"},{"id":"enchant.stat_2954116742|35369","text":"Allocates Investing Energies","type":"enchant"},{"id":"enchant.stat_2954116742|2394","text":"Allocates Blade Flurry","type":"enchant"},{"id":"enchant.stat_2954116742|37742","text":"Allocates Manifold Method","type":"enchant"},{"id":"enchant.stat_2954116742|13724","text":"Allocates Deadly Force","type":"enchant"},{"id":"enchant.stat_2954116742|3921","text":"Allocates Fate Finding","type":"enchant"},{"id":"enchant.stat_2954116742|57379","text":"Allocates In Your Face","type":"enchant"},{"id":"enchant.stat_2954116742|37244","text":"Allocates Shield Expertise","type":"enchant"},{"id":"enchant.stat_2954116742|65023","text":"Allocates Impenetrable Shell","type":"enchant"},{"id":"enchant.stat_2954116742|6133","text":"Allocates Core of the Guardian","type":"enchant"},{"id":"enchant.stat_2954116742|10265","text":"Allocates Javelin","type":"enchant"},{"id":"enchant.stat_2954116742|26518","text":"Allocates Cold Nature","type":"enchant"},{"id":"enchant.stat_2954116742|53935","text":"Allocates Briny Carapace","type":"enchant"},{"id":"enchant.stat_2954116742|20032","text":"Allocates Erraticism","type":"enchant"},{"id":"enchant.stat_2954116742|1823","text":"Allocates Illuminated Crown","type":"enchant"},{"id":"enchant.stat_2954116742|20677","text":"Allocates For the Jugular","type":"enchant"},{"id":"enchant.stat_2954116742|48774","text":"Allocates Taut Flesh","type":"enchant"},{"id":"enchant.stat_2954116742|34308","text":"Allocates Personal Touch","type":"enchant"},{"id":"enchant.stat_2954116742|7341","text":"Allocates Ignore Pain","type":"enchant"},{"id":"enchant.stat_2954116742|21935","text":"Allocates Calibration","type":"enchant"},{"id":"enchant.stat_2954116742|19722","text":"Allocates Thin Ice","type":"enchant"},{"id":"enchant.stat_2954116742|56999","text":"Allocates Locked On","type":"enchant"},{"id":"enchant.stat_2954116742|31326","text":"Allocates Slow Burn","type":"enchant"},{"id":"enchant.stat_2954116742|10772","text":"Allocates Bloodthirsty","type":"enchant"},{"id":"enchant.stat_2954116742|45488","text":"Allocates Cross Strike","type":"enchant"},{"id":"enchant.stat_2954116742|5663","text":"Allocates Endurance","type":"enchant"},{"id":"enchant.stat_2954116742|44330","text":"Allocates Coated Arms","type":"enchant"},{"id":"enchant.stat_2954116742|5227","text":"Allocates Escape Strategy","type":"enchant"},{"id":"enchant.stat_2954116742|17330","text":"Allocates Perforation","type":"enchant"},{"id":"enchant.stat_2954116742|20388","text":"Allocates Regenerative Flesh","type":"enchant"},{"id":"enchant.stat_2954116742|6229","text":"Allocates Push the Advantage","type":"enchant"},{"id":"enchant.stat_2954116742|39083","text":"Allocates Blood Rush","type":"enchant"},{"id":"enchant.stat_2954116742|39990","text":"Allocates Chronomancy","type":"enchant"},{"id":"enchant.stat_2954116742|23764","text":"Allocates Alternating Current","type":"enchant"},{"id":"enchant.stat_2954116742|8791","text":"Allocates Sturdy Ally","type":"enchant"},{"id":"enchant.stat_2954116742|38398","text":"Allocates Apocalypse","type":"enchant"},{"id":"enchant.stat_2954116742|24240","text":"Allocates Time Manipulation","type":"enchant"},{"id":"enchant.stat_2954116742|53823","text":"Allocates Towering Shield","type":"enchant"},{"id":"enchant.stat_2954116742|25620","text":"Allocates Meat Recycling","type":"enchant"},{"id":"enchant.stat_2954116742|14945","text":"Allocates Growing Swarm","type":"enchant"},{"id":"enchant.stat_2954116742|61112","text":"Allocates Roll and Strike","type":"enchant"},{"id":"enchant.stat_2954116742|61404","text":"Allocates Equilibrium","type":"enchant"},{"id":"enchant.stat_2954116742|55","text":"Allocates Fast Acting Toxins","type":"enchant"},{"id":"enchant.stat_2954116742|2138","text":"Allocates Spiral into Insanity","type":"enchant"},{"id":"enchant.stat_2954116742|7302","text":"Allocates Echoing Pulse","type":"enchant"},{"id":"enchant.stat_2954116742|29762","text":"Allocates Guttural Roar","type":"enchant"},{"id":"enchant.stat_2954116742|36507","text":"Allocates Vile Mending","type":"enchant"},{"id":"enchant.stat_2954116742|8831","text":"Allocates Tempered Mind","type":"enchant"},{"id":"enchant.stat_2954116742|37872","text":"Allocates Presence Present","type":"enchant"},{"id":"enchant.stat_2954116742|7668","text":"Allocates Internal Bleeding","type":"enchant"},{"id":"enchant.stat_2954116742|31175","text":"Allocates Grip of Evil","type":"enchant"},{"id":"enchant.stat_2954116742|13738","text":"Allocates Lightning Quick","type":"enchant"},{"id":"enchant.stat_2954116742|20416","text":"Allocates Grit","type":"enchant"},{"id":"enchant.stat_2954116742|42959","text":"Allocates Low Tolerance","type":"enchant"},{"id":"enchant.stat_2954116742|44005","text":"Allocates Casting Cascade","type":"enchant"},{"id":"enchant.stat_2954116742|50389","text":"Allocates Twinned Tethers","type":"enchant"},{"id":"enchant.stat_2954116742|33240","text":"Allocates Lord of Horrors","type":"enchant"},{"id":"enchant.stat_2954116742|61493","text":"Allocates Austerity Measures","type":"enchant"},{"id":"enchant.stat_2954116742|38053","text":"Allocates Deafening Cries","type":"enchant"},{"id":"enchant.stat_2954116742|37458","text":"Allocates Strong Links","type":"enchant"},{"id":"enchant.stat_2954116742|7651","text":"Allocates Pierce the Heart","type":"enchant"},{"id":"enchant.stat_2954116742|27491","text":"Allocates Heavy Buffer","type":"enchant"},{"id":"enchant.stat_2954116742|51602","text":"Allocates Unsight","type":"enchant"},{"id":"enchant.stat_2954116742|11526","text":"Allocates Sniper","type":"enchant"},{"id":"enchant.stat_2954116742|56997","text":"Allocates Heavy Contact","type":"enchant"},{"id":"enchant.stat_2954116742|40270","text":"Allocates Frenetic","type":"enchant"},{"id":"enchant.stat_2954116742|51105","text":"Allocates Spirit Bond","type":"enchant"},{"id":"enchant.stat_2954116742|61444","text":"Allocates Wasting Casts","type":"enchant"},{"id":"enchant.stat_2954116742|2999","text":"Allocates Final Barrage","type":"enchant"},{"id":"enchant.stat_2954116742|49550","text":"Allocates Prolonged Fury","type":"enchant"},{"id":"enchant.stat_2954116742|17029","text":"Allocates Blade Catcher","type":"enchant"},{"id":"enchant.stat_2954116742|17372","text":"Allocates Reaching Strike","type":"enchant"},{"id":"enchant.stat_2954116742|31925","text":"Allocates Warding Fetish","type":"enchant"},{"id":"enchant.stat_2954116742|57471","text":"Allocates Hunker Down","type":"enchant"},{"id":"enchant.stat_2954116742|31433","text":"Allocates Catalysis","type":"enchant"},{"id":"enchant.stat_2954116742|61026","text":"Allocates Crystalline Flesh","type":"enchant"},{"id":"enchant.stat_2954116742|16816","text":"Allocates Pinpoint Shot","type":"enchant"},{"id":"enchant.stat_2954116742|46696","text":"Allocates Impair","type":"enchant"},{"id":"enchant.stat_2954116742|26339","text":"Allocates Ancestral Artifice","type":"enchant"},{"id":"enchant.stat_2954116742|49984","text":"Allocates Spellblade","type":"enchant"},{"id":"enchant.stat_2954116742|42813","text":"Allocates Tides of Change","type":"enchant"},{"id":"enchant.stat_2954116742|58426","text":"Allocates Pocket Sand","type":"enchant"},{"id":"enchant.stat_2954116742|38342","text":"Allocates Stupefy","type":"enchant"},{"id":"enchant.stat_2954116742|11376","text":"Allocates Necrotic Touch","type":"enchant"},{"id":"enchant.stat_2954116742|51446","text":"Allocates Leather Bound Gauntlets","type":"enchant"},{"id":"enchant.stat_2954116742|11366","text":"Allocates Volcanic Skin","type":"enchant"},{"id":"enchant.stat_2954116742|19236","text":"Allocates Projectile Bulwark","type":"enchant"},{"id":"enchant.stat_2954116742|35966","text":"Allocates Heart Tissue","type":"enchant"},{"id":"enchant.stat_2954116742|6514","text":"Allocates Cacophony","type":"enchant"},{"id":"enchant.stat_2954116742|26331","text":"Allocates Harsh Winter","type":"enchant"},{"id":"enchant.stat_2954116742|2486","text":"Allocates Stars Aligned","type":"enchant"},{"id":"enchant.stat_2954116742|1352","text":"Allocates Unbending","type":"enchant"},{"id":"enchant.stat_2954116742|51820","text":"Allocates Ancestral Conduits","type":"enchant"},{"id":"enchant.stat_2954116742|33216","text":"Allocates Deep Wounds","type":"enchant"},{"id":"enchant.stat_2954116742|25971","text":"Allocates Tenfold Attacks","type":"enchant"},{"id":"enchant.stat_2954116742|47363","text":"Allocates Colossal Weapon","type":"enchant"},{"id":"enchant.stat_2954116742|17854","text":"Allocates Escape Velocity","type":"enchant"},{"id":"enchant.stat_2954116742|57805","text":"Allocates Clear Space","type":"enchant"},{"id":"enchant.stat_2954116742|32507","text":"Allocates Cut to the Bone","type":"enchant"},{"id":"enchant.stat_2954116742|14934","text":"Allocates Spiral into Mania","type":"enchant"},{"id":"enchant.stat_2954116742|44756","text":"Allocates Marked Agility","type":"enchant"},{"id":"enchant.stat_2954116742|10398","text":"Allocates Sudden Escalation","type":"enchant"},{"id":"enchant.stat_2954116742|45013","text":"Allocates Finishing Blows","type":"enchant"},{"id":"enchant.stat_2954116742|49661","text":"Allocates Perfectly Placed Knife","type":"enchant"},{"id":"enchant.stat_2954116742|2575","text":"Allocates Ancestral Alacrity","type":"enchant"},{"id":"enchant.stat_2954116742|10423","text":"Allocates Exposed to the Inferno","type":"enchant"},{"id":"enchant.stat_2954116742|62609","text":"Allocates Ancestral Unity","type":"enchant"},{"id":"enchant.stat_2954116742|43711","text":"Allocates Thornhide","type":"enchant"},{"id":"enchant.stat_2954116742|35876","text":"Allocates Admonisher","type":"enchant"},{"id":"enchant.stat_2954116742|63451","text":"Allocates Cranial Impact","type":"enchant"},{"id":"enchant.stat_2954116742|41972","text":"Allocates Glaciation","type":"enchant"},{"id":"enchant.stat_2954116742|21164","text":"Allocates Fleshcrafting","type":"enchant"},{"id":"enchant.stat_2954116742|14324","text":"Allocates Arcane Blossom","type":"enchant"},{"id":"enchant.stat_2954116742|35855","text":"Allocates Fortifying Blood","type":"enchant"},{"id":"enchant.stat_2954116742|1169","text":"Allocates Urgent Call","type":"enchant"},{"id":"enchant.stat_2954116742|38895","text":"Allocates Crystal Elixir","type":"enchant"},{"id":"enchant.stat_2954116742|55568","text":"Allocates Forthcoming","type":"enchant"},{"id":"enchant.stat_2954116742|13542","text":"Allocates Loose Flesh","type":"enchant"},{"id":"enchant.stat_2954116742|43939","text":"Allocates Melting Flames","type":"enchant"},{"id":"enchant.stat_2954116742|19442","text":"Allocates Prolonged Assault","type":"enchant"},{"id":"enchant.stat_2954116742|46384","text":"Allocates Wide Barrier","type":"enchant"},{"id":"enchant.stat_2954116742|51871","text":"Allocates Immortal Thirst","type":"enchant"},{"id":"enchant.stat_2954116742|13980","text":"Allocates Split the Earth","type":"enchant"},{"id":"enchant.stat_2954116742|63830","text":"Allocates Marked for Sickness","type":"enchant"},{"id":"enchant.stat_2954116742|62185","text":"Allocates Rattled","type":"enchant"},{"id":"enchant.stat_2954116742|8904","text":"Allocates Death from Afar","type":"enchant"},{"id":"enchant.stat_2954116742|14383","text":"Allocates Suffusion","type":"enchant"},{"id":"enchant.stat_2954116742|22626","text":"Allocates Irreparable","type":"enchant"},{"id":"enchant.stat_2954116742|38614","text":"Allocates Psychic Fragmentation","type":"enchant"},{"id":"enchant.stat_2954116742|18419","text":"Allocates Ancestral Mending","type":"enchant"},{"id":"enchant.stat_2954116742|7395","text":"Allocates Retaliation","type":"enchant"},{"id":"enchant.stat_2954116742|57097","text":"Allocates Spirit Bonds","type":"enchant"},{"id":"enchant.stat_2954116742|35477","text":"Allocates Far Sighted","type":"enchant"},{"id":"enchant.stat_2954116742|46692","text":"Allocates Efficient Alchemy","type":"enchant"},{"id":"enchant.stat_2954116742|5580","text":"Allocates Watchtowers","type":"enchant"},{"id":"enchant.stat_2954116742|62887","text":"Allocates Living Death","type":"enchant"},{"id":"enchant.stat_2954116742|43090","text":"Allocates Electrotherapy","type":"enchant"},{"id":"enchant.stat_2954116742|63255","text":"Allocates Savagery","type":"enchant"},{"id":"enchant.stat_2954116742|29372","text":"Allocates Sudden Infuriation","type":"enchant"},{"id":"enchant.stat_2954116742|47635","text":"Allocates Overload","type":"enchant"},{"id":"enchant.stat_2954116742|7062","text":"Allocates Reusable Ammunition","type":"enchant"},{"id":"enchant.stat_2954116742|52618","text":"Allocates Boon of the Beast","type":"enchant"},{"id":"enchant.stat_2954116742|1104","text":"Allocates Lust for Power","type":"enchant"},{"id":"enchant.stat_2954116742|17548","text":"Allocates Moment of Truth","type":"enchant"},{"id":"enchant.stat_2954116742|8483","text":"Allocates Ruin","type":"enchant"},{"id":"enchant.stat_2954116742|40803","text":"Allocates Sigil of Ice","type":"enchant"},{"id":"enchant.stat_2954116742|20414","text":"Allocates Reprisal","type":"enchant"},{"id":"enchant.stat_2954116742|38111","text":"Allocates Pliable Flesh","type":"enchant"},{"id":"enchant.stat_2954116742|55180","text":"Allocates Relentless Fallen","type":"enchant"},{"id":"enchant.stat_2954116742|16790","text":"Allocates Efficient Casting","type":"enchant"},{"id":"enchant.stat_2954116742|52348","text":"Allocates Carved Earth","type":"enchant"},{"id":"enchant.stat_2954116742|51707","text":"Allocates Enhanced Reflexes","type":"enchant"},{"id":"enchant.stat_2954116742|31364","text":"Allocates Primal Protection","type":"enchant"},{"id":"enchant.stat_2954116742|3985","text":"Allocates Forces of Nature","type":"enchant"},{"id":"enchant.stat_2954116742|10602","text":"Allocates Reaving","type":"enchant"},{"id":"enchant.stat_2954116742|43396","text":"Allocates Ancestral Reach","type":"enchant"},{"id":"enchant.stat_2954116742|47441","text":"Allocates Stigmata","type":"enchant"},{"id":"enchant.stat_2954116742|41905","text":"Allocates Gravedigger","type":"enchant"},{"id":"enchant.stat_2954116742|21537","text":"Allocates Fervour","type":"enchant"},{"id":"enchant.stat_2954116742|4985","text":"Allocates Flip the Script","type":"enchant"},{"id":"enchant.stat_2954116742|28963","text":"Allocates Chakra of Rhythm","type":"enchant"},{"id":"enchant.stat_2954116742|26070","text":"Allocates Bolstering Yell","type":"enchant"},{"id":"enchant.stat_2954116742|28482","text":"Allocates Total Incineration","type":"enchant"},{"id":"enchant.stat_2954116742|33093","text":"Allocates Effervescent","type":"enchant"},{"id":"enchant.stat_2954116742|33887","text":"Allocates Full Salvo","type":"enchant"},{"id":"enchant.stat_2954116742|51891","text":"Allocates Lucidity","type":"enchant"},{"id":"enchant.stat_2954116742|25711","text":"Allocates Thrill of Battle","type":"enchant"},{"id":"enchant.stat_2954116742|61741","text":"Allocates Lasting Toxins","type":"enchant"},{"id":"enchant.stat_2954116742|35564","text":"Allocates Turn the Clock Back","type":"enchant"},{"id":"enchant.stat_2954116742|17229","text":"Allocates Silent Guardian","type":"enchant"},{"id":"enchant.stat_2954116742|54148","text":"Allocates Smoke Inhalation","type":"enchant"},{"id":"enchant.stat_2954116742|9227","text":"Allocates Focused Thrust","type":"enchant"},{"id":"enchant.stat_2954116742|6178","text":"Allocates Power Shots","type":"enchant"},{"id":"enchant.stat_2954116742|60692","text":"Allocates Echoing Flames","type":"enchant"},{"id":"enchant.stat_2954116742|3688","text":"Allocates Dynamism","type":"enchant"},{"id":"enchant.stat_2954116742|55847","text":"Allocates Ice Walls","type":"enchant"},{"id":"enchant.stat_2954116742|40325","text":"Allocates Resolution","type":"enchant"},{"id":"enchant.stat_2954116742|3698","text":"Allocates Spike Pit","type":"enchant"},{"id":"enchant.stat_2954116742|30523","text":"Allocates Dead can Dance","type":"enchant"},{"id":"enchant.stat_2954116742|24655","text":"Allocates Breath of Fire","type":"enchant"},{"id":"enchant.stat_2954116742|19249","text":"Allocates Supportive Ancestors","type":"enchant"},{"id":"enchant.stat_2954116742|35809","text":"Allocates Reinvigoration","type":"enchant"},{"id":"enchant.stat_2954116742|31373","text":"Allocates Vocal Empowerment","type":"enchant"},{"id":"enchant.stat_2954116742|42390","text":"Allocates Overheating Blow","type":"enchant"},{"id":"enchant.stat_2954116742|23940","text":"Allocates Adamant Recovery","type":"enchant"},{"id":"enchant.stat_2954116742|53527","text":"Allocates Shattering Blow","type":"enchant"},{"id":"enchant.stat_2954116742|13407","text":"Allocates Heartbreaking","type":"enchant"},{"id":"enchant.stat_2954116742|64240","text":"Allocates Battle Fever","type":"enchant"},{"id":"enchant.stat_2954116742|35028","text":"Allocates In the Thick of It","type":"enchant"},{"id":"enchant.stat_2954116742|21453","text":"Allocates Breakage","type":"enchant"},{"id":"enchant.stat_2954116742|23078","text":"Allocates Holy Protector","type":"enchant"},{"id":"enchant.stat_2954116742|53921","text":"Allocates Unbreaking","type":"enchant"},{"id":"enchant.stat_2954116742|59541","text":"Allocates Necrotised Flesh","type":"enchant"},{"id":"enchant.stat_2954116742|38628","text":"Allocates Escalating Toxins","type":"enchant"},{"id":"enchant.stat_2954116742|40117","text":"Allocates Spiked Armour","type":"enchant"},{"id":"enchant.stat_2954116742|42036","text":"Allocates Off-Balancing Retort","type":"enchant"},{"id":"enchant.stat_2954116742|59589","text":"Allocates Heavy Armour","type":"enchant"},{"id":"enchant.stat_2954116742|39347","text":"Allocates Breaking Blows","type":"enchant"},{"id":"enchant.stat_2954116742|47782","text":"Allocates Steady Footing","type":"enchant"},{"id":"enchant.stat_2954116742|56616","text":"Allocates Desperate Times","type":"enchant"},{"id":"enchant.stat_2954116742|50253","text":"Allocates Aftershocks","type":"enchant"},{"id":"enchant.stat_2954116742|63759","text":"Allocates Stacking Toxins","type":"enchant"},{"id":"enchant.stat_2954116742|5802","text":"Allocates Stand and Deliver","type":"enchant"},{"id":"enchant.stat_2954116742|24438","text":"Allocates Hardened Wood","type":"enchant"},{"id":"enchant.stat_2954116742|55835","text":"Allocates Exposed to the Cosmos","type":"enchant"},{"id":"enchant.stat_2954116742|13895","text":"Allocates Precise Point","type":"enchant"},{"id":"enchant.stat_2954116742|32353","text":"Allocates Swift Claw","type":"enchant"},{"id":"enchant.stat_2954116742|18086","text":"Allocates Breath of Ice","type":"enchant"},{"id":"enchant.stat_2954116742|54911","text":"Allocates Firestarter","type":"enchant"},{"id":"enchant.stat_2954116742|9968","text":"Allocates Feel the Earth","type":"enchant"},{"id":"enchant.stat_2954116742|8273","text":"Allocates Endless Circuit","type":"enchant"},{"id":"enchant.stat_2954116742|13457","text":"Allocates Shadow Dancing","type":"enchant"},{"id":"enchant.stat_2954116742|39881","text":"Allocates Staggering Palm","type":"enchant"},{"id":"enchant.stat_2954116742|27009","text":"Allocates Lust for Sacrifice","type":"enchant"},{"id":"enchant.stat_2954116742|23738","text":"Allocates Madness in the Bones","type":"enchant"},{"id":"enchant.stat_2954116742|2335","text":"Allocates Turn the Clock Forward","type":"enchant"},{"id":"enchant.stat_2954116742|23221","text":"Allocates Trick Shot","type":"enchant"},{"id":"enchant.stat_2954116742|10295","text":"Allocates Overzealous","type":"enchant"},{"id":"enchant.stat_2954116742|5703","text":"Allocates Echoing Thunder","type":"enchant"},{"id":"enchant.stat_2954116742|46499","text":"Allocates Guts","type":"enchant"},{"id":"enchant.stat_2954116742|48658","text":"Allocates Shattering","type":"enchant"},{"id":"enchant.stat_2954116742|44373","text":"Allocates Wither Away","type":"enchant"},{"id":"enchant.stat_2954116742|60138","text":"Allocates Stylebender","type":"enchant"},{"id":"enchant.stat_2954116742|46024","text":"Allocates Sigil of Lightning","type":"enchant"},{"id":"enchant.stat_2954116742|59303","text":"Allocates Lucky Rabbit Foot","type":"enchant"},{"id":"enchant.stat_2954116742|17254","text":"Allocates Spell Haste","type":"enchant"},{"id":"enchant.stat_2954116742|3567","text":"Allocates Raw Mana","type":"enchant"},{"id":"enchant.stat_2954116742|20397","text":"Allocates Authority","type":"enchant"},{"id":"enchant.stat_2954116742|3188","text":"Allocates Revenge","type":"enchant"},{"id":"enchant.stat_2954116742|51509","text":"Allocates Waters of Life","type":"enchant"},{"id":"enchant.stat_2954116742|19715","text":"Allocates Cremation","type":"enchant"},{"id":"enchant.stat_2954116742|12750","text":"Allocates Vale Shelter","type":"enchant"},{"id":"enchant.stat_2954116742|53941","text":"Allocates Shimmering","type":"enchant"},{"id":"enchant.stat_2954116742|36808","text":"Allocates Spiked Shield","type":"enchant"},{"id":"enchant.stat_2954116742|5257","text":"Allocates Echoing Frost","type":"enchant"},{"id":"enchant.stat_2954116742|63981","text":"Allocates Deft Recovery","type":"enchant"},{"id":"enchant.stat_2954116742|46296","text":"Allocates Short Shot","type":"enchant"},{"id":"enchant.stat_2954116742|27626","text":"Allocates Touch the Arcane","type":"enchant"},{"id":"enchant.stat_2954116742|7604","text":"Allocates Rapid Strike","type":"enchant"},{"id":"enchant.stat_2954116742|36976","text":"Allocates Marked for Death","type":"enchant"},{"id":"enchant.stat_2954116742|62310","text":"Allocates Incendiary","type":"enchant"},{"id":"enchant.stat_2954116742|36364","text":"Allocates Electrocution","type":"enchant"},{"id":"enchant.stat_2954116742|64443","text":"Allocates Impact Force","type":"enchant"},{"id":"enchant.stat_2954116742|26447","text":"Allocates Refocus","type":"enchant"},{"id":"enchant.stat_2954116742|39567","text":"Allocates Ingenuity","type":"enchant"},{"id":"enchant.stat_2954116742|32951","text":"Allocates Preservation","type":"enchant"},{"id":"enchant.stat_2954116742|13823","text":"Allocates Controlling Magic","type":"enchant"},{"id":"enchant.stat_2954116742|23427","text":"Allocates Chilled to the Bone","type":"enchant"},{"id":"enchant.stat_2954116742|44952","text":"Allocates Made to Last","type":"enchant"},{"id":"enchant.stat_2954116742|33978","text":"Allocates Unstoppable Barrier","type":"enchant"},{"id":"enchant.stat_2954116742|14777","text":"Allocates Bravado","type":"enchant"},{"id":"enchant.stat_2954116742|30562","text":"Allocates Inner Faith","type":"enchant"},{"id":"enchant.stat_2954116742|45713","text":"Allocates Savouring","type":"enchant"},{"id":"enchant.stat_2954116742|27176","text":"Allocates The Power Within","type":"enchant"},{"id":"enchant.stat_2954116742|29514","text":"Allocates Cluster Bombs","type":"enchant"},{"id":"enchant.stat_2954116742|23362","text":"Allocates Slippery Ice","type":"enchant"},{"id":"enchant.stat_2954116742|28044","text":"Allocates Coming Calamity","type":"enchant"},{"id":"enchant.stat_2954116742|7777","text":"Allocates Breaking Point","type":"enchant"},{"id":"enchant.stat_2954116742|31826","text":"Allocates Long Distance Relationship","type":"enchant"},{"id":"enchant.stat_2954116742|2645","text":"Allocates Skullcrusher","type":"enchant"},{"id":"enchant.stat_2954116742|2863","text":"Allocates Perpetual Freeze","type":"enchant"},{"id":"enchant.stat_2954116742|5009","text":"Allocates Seeing Stars","type":"enchant"},{"id":"enchant.stat_2954116742|34531","text":"Allocates Hallowed","type":"enchant"},{"id":"enchant.stat_2954116742|8554","text":"Allocates Burning Nature","type":"enchant"},{"id":"enchant.stat_2954116742|56063","text":"Allocates Lingering Horror","type":"enchant"},{"id":"enchant.stat_2954116742|31189","text":"Allocates Unexpected Finesse","type":"enchant"},{"id":"enchant.stat_2954116742|336","text":"Allocates Storm Swell","type":"enchant"},{"id":"enchant.stat_2954116742|12337","text":"Allocates Flash Storm","type":"enchant"},{"id":"enchant.stat_2954116742|19644","text":"Allocates Left Hand of Darkness","type":"enchant"},{"id":"enchant.stat_2954116742|16499","text":"Allocates Lingering Whispers","type":"enchant"},{"id":"enchant.stat_2954116742|42065","text":"Allocates Surging Currents","type":"enchant"},{"id":"enchant.stat_2954116742|36341","text":"Allocates Cull the Hordes","type":"enchant"},{"id":"enchant.stat_2954116742|51213","text":"Allocates Wasting","type":"enchant"},{"id":"enchant.stat_2954116742|58183","text":"Allocates Blood Tearing","type":"enchant"},{"id":"enchant.stat_2954116742|30392","text":"Allocates Succour","type":"enchant"},{"id":"enchant.stat_2954116742|30720","text":"Allocates Entropic Incarnation","type":"enchant"},{"id":"enchant.stat_2954116742|35739","text":"Allocates Crushing Judgement","type":"enchant"},{"id":"enchant.stat_2954116742|40345","text":"Allocates Master of Hexes","type":"enchant"},{"id":"enchant.stat_2954116742|58096","text":"Allocates Lasting Incantations","type":"enchant"},{"id":"enchant.stat_2954116742|36623","text":"Allocates Convalescence","type":"enchant"},{"id":"enchant.stat_2954116742|64119","text":"Allocates Rapid Reload","type":"enchant"},{"id":"enchant.stat_2954116742|43677","text":"Allocates Crippling Toxins","type":"enchant"},{"id":"enchant.stat_2954116742|40990","text":"Allocates Exposed to the Storm","type":"enchant"},{"id":"enchant.stat_2954116742|56893","text":"Allocates Thicket Warding","type":"enchant"},{"id":"enchant.stat_2954116742|13708","text":"Allocates Curved Weapon","type":"enchant"},{"id":"enchant.stat_2954116742|6544","text":"Allocates Burning Strikes","type":"enchant"},{"id":"enchant.stat_2954116742|35324","text":"Allocates Burnout","type":"enchant"},{"id":"enchant.stat_2954116742|42981","text":"Allocates Cruel Methods","type":"enchant"},{"id":"enchant.stat_2954116742|60464","text":"Allocates Fan the Flames","type":"enchant"},{"id":"enchant.stat_2954116742|8957","text":"Allocates Right Hand of Darkness","type":"enchant"},{"id":"enchant.stat_2954116742|9421","text":"Allocates Snowpiercer","type":"enchant"},{"id":"enchant.stat_2954116742|43423","text":"Allocates Emboldened Avatar","type":"enchant"},{"id":"enchant.stat_2954116742|63431","text":"Allocates Leeching Toxins","type":"enchant"},{"id":"enchant.stat_2954116742|12998","text":"Allocates Warm the Heart","type":"enchant"},{"id":"enchant.stat_2954116742|38969","text":"Allocates Finesse","type":"enchant"},{"id":"enchant.stat_2954116742|9187","text":"Allocates Escalation","type":"enchant"},{"id":"enchant.stat_2954116742|60034","text":"Allocates Falcon Dive","type":"enchant"},{"id":"enchant.stat_2954116742|934","text":"Allocates Natural Immunity","type":"enchant"},{"id":"enchant.stat_2954116742|32664","text":"Allocates Chakra of Breathing","type":"enchant"},{"id":"enchant.stat_2954116742|41580","text":"Allocates Maiming Strike","type":"enchant"},{"id":"enchant.stat_2954116742|27875","text":"Allocates General Electric","type":"enchant"},{"id":"enchant.stat_2954116742|24630","text":"Allocates Fulmination","type":"enchant"},{"id":"enchant.stat_2954116742|3492","text":"Allocates Void","type":"enchant"},{"id":"enchant.stat_2954116742|48581","text":"Allocates Exploit the Elements","type":"enchant"},{"id":"enchant.stat_2954116742|62034","text":"Allocates Prism Guard","type":"enchant"},{"id":"enchant.stat_2954116742|45244","text":"Allocates Refills","type":"enchant"},{"id":"enchant.stat_2954116742|23939","text":"Allocates Glazed Flesh","type":"enchant"},{"id":"enchant.stat_2954116742|8881","text":"Allocates Unforgiving","type":"enchant"},{"id":"enchant.stat_2954116742|65468","text":"Allocates Repeating Explosives","type":"enchant"},{"id":"enchant.stat_2954116742|61338","text":"Allocates Breath of Lightning","type":"enchant"},{"id":"enchant.stat_2954116742|48240","text":"Allocates Quick Recovery","type":"enchant"},{"id":"enchant.stat_2954116742|14343","text":"Allocates Deterioration","type":"enchant"},{"id":"enchant.stat_2954116742|41811","text":"Allocates Shatter Palm","type":"enchant"},{"id":"enchant.stat_2954116742|65016","text":"Allocates Intense Flames","type":"enchant"},{"id":"enchant.stat_2954116742|51129","text":"Allocates Pile On","type":"enchant"},{"id":"enchant.stat_2954116742|4238","text":"Allocates Versatile Arms","type":"enchant"},{"id":"enchant.stat_2954116742|9444","text":"Allocates One with the Storm","type":"enchant"},{"id":"enchant.stat_2954116742|4447","text":"Allocates Pin their Motivation","type":"enchant"},{"id":"enchant.stat_2954116742|24062","text":"Allocates Immortal Infamy","type":"enchant"},{"id":"enchant.stat_2954116742|9020","text":"Allocates Giantslayer","type":"enchant"},{"id":"enchant.stat_2954116742|62803","text":"Allocates Woodland Aspect","type":"enchant"},{"id":"enchant.stat_2954116742|17150","text":"Allocates General's Bindings","type":"enchant"},{"id":"enchant.stat_2954116742|44299","text":"Allocates Enhanced Barrier","type":"enchant"},{"id":"enchant.stat_2954116742|59214","text":"Allocates Fated End","type":"enchant"},{"id":"enchant.stat_2954116742|17762","text":"Allocates Vengeance","type":"enchant"},{"id":"enchant.stat_2954116742|52191","text":"Allocates Event Horizon","type":"enchant"},{"id":"enchant.stat_2954116742|10029","text":"Allocates Repulsion","type":"enchant"},{"id":"enchant.stat_2954116742|43139","text":"Allocates Stormbreaker","type":"enchant"},{"id":"enchant.stat_2954116742|40399","text":"Allocates Energise","type":"enchant"},{"id":"enchant.stat_2954116742|37408","text":"Allocates Staunching","type":"enchant"},{"id":"enchant.stat_2954116742|54990","text":"Allocates Bloodletting","type":"enchant"},{"id":"enchant.stat_2954116742|6655","text":"Allocates Aggravation","type":"enchant"},{"id":"enchant.stat_2954116742|39050","text":"Allocates Exploit","type":"enchant"},{"id":"enchant.stat_2954116742|51394","text":"Allocates Unimpeded","type":"enchant"},{"id":"enchant.stat_2954116742|43829","text":"Allocates Advanced Munitions","type":"enchant"},{"id":"enchant.stat_2954116742|44765","text":"Allocates Distracting Presence","type":"enchant"},{"id":"enchant.stat_2954116742|15986","text":"Allocates Building Toxins","type":"enchant"},{"id":"enchant.stat_2954116742|51934","text":"Allocates Invocated Efficiency","type":"enchant"},{"id":"enchant.stat_2954116742|52199","text":"Allocates Overexposure","type":"enchant"},{"id":"enchant.stat_2954116742|15083","text":"Allocates Power Conduction","type":"enchant"},{"id":"enchant.stat_2954116742|18308","text":"Allocates Bleeding Out","type":"enchant"},{"id":"enchant.stat_2954116742|47316","text":"Allocates Goring","type":"enchant"},{"id":"enchant.stat_2954116742|3894","text":"Allocates Eldritch Will","type":"enchant"},{"id":"enchant.stat_2954116742|35581","text":"Allocates Near at Hand","type":"enchant"},{"id":"enchant.stat_2954116742|52971","text":"Allocates Quick Response","type":"enchant"},{"id":"enchant.stat_2954116742|40073","text":"Allocates Drenched","type":"enchant"},{"id":"enchant.stat_2954116742|47270","text":"Allocates Inescapable Cold","type":"enchant"},{"id":"enchant.stat_2954116742|60404","text":"Allocates Perfect Opportunity","type":"enchant"},{"id":"enchant.stat_2954116742|12661","text":"Allocates Asceticism","type":"enchant"},{"id":"enchant.stat_2954116742|63037","text":"Allocates Sigil of Fire","type":"enchant"},{"id":"enchant.stat_2954116742|54805","text":"Allocates Hindered Capabilities","type":"enchant"},{"id":"enchant.stat_2954116742|52803","text":"Allocates Hale Traveller","type":"enchant"},{"id":"enchant.stat_2954116742|55708","text":"Allocates Electric Amplification","type":"enchant"},{"id":"enchant.stat_2954116742|61921","text":"Allocates Storm Surge","type":"enchant"},{"id":"enchant.stat_2954116742|21748","text":"Allocates Impending Doom","type":"enchant"},{"id":"enchant.stat_2954116742|42347","text":"Allocates Chakra of Sight","type":"enchant"},{"id":"enchant.stat_2954116742|34316","text":"Allocates One with the River","type":"enchant"},{"id":"enchant.stat_2954116742|2113","text":"Allocates Martial Artistry","type":"enchant"},{"id":"enchant.stat_2954116742|65204","text":"Allocates Overflowing Power","type":"enchant"},{"id":"enchant.stat_2954116742|50912","text":"Allocates Imbibed Power","type":"enchant"},{"id":"enchant.stat_2954116742|48418","text":"Allocates Hefty Unit","type":"enchant"},{"id":"enchant.stat_2954116742|50485","text":"Allocates Zone of Control","type":"enchant"},{"id":"enchant.stat_2954116742|49740","text":"Allocates Shattered Crystal","type":"enchant"},{"id":"enchant.stat_2954116742|51169","text":"Allocates Soul Bloom","type":"enchant"},{"id":"enchant.stat_2954116742|750","text":"Allocates Tribal Fury","type":"enchant"},{"id":"enchant.stat_2954116742|4547","text":"Allocates Unnatural Resilience","type":"enchant"},{"id":"enchant.stat_2954116742|44293","text":"Allocates Hastening Barrier","type":"enchant"},{"id":"enchant.stat_2954116742|5332","text":"Allocates Crystallised Immunities","type":"enchant"},{"id":"enchant.stat_2954116742|26563","text":"Allocates Bone Chains","type":"enchant"},{"id":"enchant.stat_2954116742|41753","text":"Allocates Evocational Practitioner","type":"enchant"},{"id":"enchant.stat_2954116742|94","text":"Allocates Efficient Killing","type":"enchant"},{"id":"enchant.stat_2954116742|30132","text":"Allocates Wrapped Quiver","type":"enchant"},{"id":"enchant.stat_2954116742|50884","text":"Allocates Primal Sundering","type":"enchant"},{"id":"enchant.stat_2954116742|18157","text":"Allocates Tempered Defences","type":"enchant"},{"id":"enchant.stat_2954116742|59387","text":"Allocates Infusion of Power","type":"enchant"},{"id":"enchant.stat_2954116742|17664","text":"Allocates Decisive Retreat","type":"enchant"},{"id":"enchant.stat_2954116742|29306","text":"Allocates Chakra of Thought","type":"enchant"},{"id":"enchant.stat_2954116742|36931","text":"Allocates Concussive Attack","type":"enchant"},{"id":"enchant.stat_2954116742|61104","text":"Allocates Staggering Wounds","type":"enchant"},{"id":"enchant.stat_2954116742|51867","text":"Allocates Finality","type":"enchant"},{"id":"enchant.stat_2954116742|32655","text":"Allocates Hunting Companion","type":"enchant"},{"id":"enchant.stat_2954116742|65243","text":"Allocates Enveloping Presence","type":"enchant"},{"id":"enchant.stat_2954116742|19337","text":"Allocates Precision Salvo","type":"enchant"},{"id":"enchant.stat_2954116742|52764","text":"Allocates Mystical Rage","type":"enchant"},{"id":"enchant.stat_2954116742|42245","text":"Allocates Efficient Inscriptions","type":"enchant"},{"id":"enchant.stat_2954116742|20008","text":"Allocates Unleash Fire","type":"enchant"},{"id":"enchant.stat_2954116742|42660","text":"Allocates Commanding Rage","type":"enchant"},{"id":"enchant.stat_2954116742|15030","text":"Allocates Consistent Intake","type":"enchant"},{"id":"enchant.stat_2954116742|54814","text":"Allocates Profane Commander","type":"enchant"},{"id":"enchant.stat_2954116742|42714","text":"Allocates Thousand Cuts","type":"enchant"},{"id":"enchant.stat_2954116742|22817","text":"Allocates Inevitable Rupture","type":"enchant"},{"id":"enchant.stat_2954116742|53187","text":"Allocates Warlord Berserker","type":"enchant"},{"id":"enchant.stat_2954116742|16150","text":"Allocates Inspiring Ally","type":"enchant"},{"id":"enchant.stat_2954116742|36630","text":"Allocates Incision","type":"enchant"},{"id":"enchant.stat_2954116742|27761","text":"Allocates Counterstancing","type":"enchant"},{"id":"enchant.stat_2954116742|31129","text":"Allocates Lifelong Friend","type":"enchant"},{"id":"enchant.stat_2954116742|62455","text":"Allocates Bannerman","type":"enchant"},{"id":"enchant.stat_2954116742|18485","text":"Allocates Unstable Bond","type":"enchant"},{"id":"enchant.stat_2954116742|12822","text":"Allocates Adaptable Assault","type":"enchant"},{"id":"enchant.stat_2954116742|4661","text":"Allocates Inspiring Leader","type":"enchant"},{"id":"enchant.stat_2954116742|30408","text":"Allocates Efficient Contraptions","type":"enchant"},{"id":"enchant.stat_2954116742|5335","text":"Allocates Shimmering Mirage","type":"enchant"},{"id":"enchant.stat_2954116742|43944","text":"Allocates Instability","type":"enchant"},{"id":"enchant.stat_2954116742|10315","text":"Allocates Easy Going","type":"enchant"},{"id":"enchant.stat_2954116742|14211","text":"Allocates Shredding Contraptions","type":"enchant"},{"id":"enchant.stat_2954116742|7338","text":"Allocates Abasement","type":"enchant"},{"id":"enchant.stat_2954116742|22532","text":"Allocates Fearful Paralysis","type":"enchant"},{"id":"enchant.stat_2954116742|43791","text":"Allocates Rallying Icon","type":"enchant"},{"id":"enchant.stat_2954116742|38459","text":"Allocates Disorientation","type":"enchant"},{"id":"enchant.stat_2954116742|30748","text":"Allocates Controlled Chaos","type":"enchant"},{"id":"enchant.stat_2954116742|33585","text":"Allocates Unspoken Bond","type":"enchant"},{"id":"enchant.stat_2954116742|56493","text":"Allocates Agile Succession","type":"enchant"},{"id":"enchant.stat_2954116742|42032","text":"Allocates Escalating Mayhem","type":"enchant"},{"id":"enchant.stat_2954116742|60992","text":"Allocates Nurturing Guardian","type":"enchant"},{"id":"enchant.stat_2954116742|14294","text":"Allocates Sacrificial Blood","type":"enchant"},{"id":"enchant.stat_2954116742|34543","text":"Allocates The Frenzied Bear","type":"enchant"},{"id":"enchant.stat_2954116742|48734","text":"Allocates The Howling Primate","type":"enchant"},{"id":"enchant.stat_2954116742|53367","text":"Allocates Symbol of Defiance","type":"enchant"},{"id":"enchant.stat_2954116742|10774","text":"Allocates Unyielding","type":"enchant"},{"id":"enchant.stat_2954116742|44753","text":"Allocates One With Flame","type":"enchant"},{"id":"enchant.stat_2954116742|35792","text":"Allocates Blood of Rage","type":"enchant"},{"id":"enchant.stat_2954116742|12412","text":"Allocates Temporal Mastery","type":"enchant"},{"id":"enchant.stat_2954116742|32543","text":"Allocates Unhindered","type":"enchant"},{"id":"enchant.stat_2954116742|21349","text":"Allocates The Cunning Fox","type":"enchant"},{"id":"enchant.stat_2954116742|22811","text":"Allocates The Wild Cat","type":"enchant"},{"id":"enchant.stat_2954116742|27513","text":"Allocates Material Solidification","type":"enchant"},{"id":"enchant.stat_2954116742|32932","text":"Allocates Ichlotl's Inferno","type":"enchant"},{"id":"enchant.stat_2954116742|52245","text":"Allocates Distant Dreamer","type":"enchant"},{"id":"enchant.stat_2954116742|11392","text":"Allocates Molten Being","type":"enchant"},{"id":"enchant.stat_2954116742|59208","text":"Allocates Frantic Fighter","type":"enchant"},{"id":"enchant.stat_2954116742|63579","text":"Allocates Momentum","type":"enchant"},{"id":"enchant.stat_2954116742|40687","text":"Allocates Lead by Example","type":"enchant"},{"id":"enchant.stat_2954116742|10499","text":"Allocates Necromantic Ward","type":"enchant"},{"id":"enchant.stat_2954116742|15443","text":"Allocates Endured Suffering","type":"enchant"},{"id":"enchant.stat_2954116742|10612","text":"Allocates Embodiment of Frost","type":"enchant"},{"id":"enchant.stat_2954116742|64650","text":"Allocates Wary Dodging","type":"enchant"},{"id":"enchant.stat_2954116742|28542","text":"Allocates The Molten One's Gift","type":"enchant"},{"id":"enchant.stat_2954116742|34908","text":"Allocates Staunch Deflection","type":"enchant"},{"id":"enchant.stat_2954116742|55131","text":"Allocates Light on your Feet","type":"enchant"},{"id":"enchant.stat_2954116742|24766","text":"Allocates Paranoia","type":"enchant"},{"id":"enchant.stat_2954116742|56860","text":"Allocates Resolute Reprisal","type":"enchant"},{"id":"enchant.stat_2954116742|48524","text":"Allocates Blood Transfusion","type":"enchant"},{"id":"enchant.stat_2954116742|9290","text":"Allocates Rusted Pins","type":"enchant"},{"id":"enchant.stat_2954116742|42103","text":"Allocates Enduring Deflection","type":"enchant"},{"id":"enchant.stat_2954116742|32721","text":"Allocates Distracted Target","type":"enchant"},{"id":"enchant.stat_2954116742|5686","text":"Allocates Chillproof","type":"enchant"},{"id":"enchant.stat_2954116742|7275","text":"Allocates Electrocuting Exposure","type":"enchant"},{"id":"enchant.stat_2954116742|52180","text":"Allocates Trained Deflection","type":"enchant"},{"id":"enchant.stat_2954116742|34541","text":"Allocates Energising Deflection","type":"enchant"},{"id":"enchant.stat_2954116742|26356","text":"Allocates Primed to Explode","type":"enchant"},{"id":"enchant.stat_2954116742|60273","text":"Allocates Hindering Obstacles","type":"enchant"},{"id":"enchant.stat_2954116742|50673","text":"Allocates Avoiding Deflection","type":"enchant"},{"id":"enchant.stat_2954116742|25362","text":"Allocates Chakra of Impact","type":"enchant"},{"id":"enchant.stat_2954116742|57785","text":"Allocates Trained Turrets","type":"enchant"},{"id":"enchant.stat_2954116742|11774","text":"Allocates The Spring Hare","type":"enchant"},{"id":"enchant.stat_2954116742|46683","text":"Allocates Inherited Strength ","type":"enchant"},{"id":"enchant.stat_2954116742|63541","text":"Allocates Brush Off","type":"enchant"},{"id":"enchant.stat_2954116742|56388","text":"Allocates Reinforced Rallying","type":"enchant"},{"id":"enchant.stat_2954116742|53131","text":"Allocates Tukohama's Brew","type":"enchant"},{"id":"enchant.stat_2954116742|35031","text":"Allocates Chakra of Life","type":"enchant"},{"id":"enchant.stat_2954116742|338","text":"Allocates Invocated Limit","type":"enchant"},{"id":"enchant.stat_2954116742|47088","text":"Allocates Sic 'Em","type":"enchant"},{"id":"enchant.stat_2954116742|43633","text":"Allocates Energising Archon","type":"enchant"},{"id":"enchant.stat_2954116742|41033","text":"Allocates Utmost Offering","type":"enchant"},{"id":"enchant.stat_2954116742|45177","text":"Allocates Strike True","type":"enchant"},{"id":"enchant.stat_2954116742|24764","text":"Allocates Infusing Power","type":"enchant"},{"id":"enchant.stat_2954116742|8896","text":"Allocates Agile Sprinter","type":"enchant"},{"id":"enchant.stat_2954116742|52257","text":"Allocates Conductive Embrace","type":"enchant"},{"id":"enchant.stat_2954116742|17303","text":"Allocates Utility Ordnance","type":"enchant"},{"id":"enchant.stat_2954116742|46726","text":"Allocates Reformed Barrier","type":"enchant"},{"id":"enchant.stat_2954116742|53185","text":"Allocates The Winter Owl","type":"enchant"},{"id":"enchant.stat_2954116742|2745","text":"Allocates The Noble Wolf","type":"enchant"},{"id":"enchant.stat_2954116742|38570","text":"Allocates Demolitionist","type":"enchant"},{"id":"enchant.stat_2954116742|2397","text":"Allocates Last Stand","type":"enchant"},{"id":"enchant.stat_2954116742|8397","text":"Allocates Empowering Remains","type":"enchant"},{"id":"enchant.stat_2954116742|9652","text":"Allocates Mending Deflection","type":"enchant"},{"id":"enchant.stat_2954116742|40292","text":"Allocates Nimble Strength","type":"enchant"},{"id":"enchant.stat_2954116742|54031","text":"Allocates The Great Boar","type":"enchant"},{"id":"enchant.stat_2954116742|13524","text":"Allocates Everlasting Glory","type":"enchant"},{"id":"enchant.stat_2954116742|23244","text":"Allocates Bounty Hunter","type":"enchant"},{"id":"enchant.stat_2954116742|56016","text":"Allocates Passthrough Rounds","type":"enchant"},{"id":"enchant.stat_2954116742|43854","text":"Allocates All For One","type":"enchant"},{"id":"enchant.stat_2954116742|32448","text":"Allocates Shockproof","type":"enchant"},{"id":"enchant.stat_2954116742|58215","text":"Allocates Sanguimantic Rituals","type":"enchant"},{"id":"enchant.stat_2954116742|48215","text":"Allocates Headshot","type":"enchant"},{"id":"enchant.stat_2954116742|56488","text":"Allocates Glancing Deflection","type":"enchant"},{"id":"enchant.stat_2954116742|32799","text":"Allocates Captivating Companionship","type":"enchant"},{"id":"enchant.stat_2954116742|64525","text":"Allocates Easy Target","type":"enchant"},{"id":"enchant.stat_2954116742|43088","text":"Allocates Agonising Calamity","type":"enchant"},{"id":"enchant.stat_2954116742|8607","text":"Allocates Lavianga's Brew","type":"enchant"},{"id":"enchant.stat_2954116742|10500","text":"Allocates Dazing Blocks","type":"enchant"},{"id":"enchant.stat_2954116742|19546","text":"Allocates Favourable Odds","type":"enchant"},{"id":"enchant.stat_2954116742|49150","text":"Allocates Precise Invocations","type":"enchant"},{"id":"enchant.stat_2954116742|46365","text":"Allocates Gigantic Following","type":"enchant"},{"id":"enchant.stat_2954116742|28441","text":"Allocates Frantic Swings","type":"enchant"},{"id":"enchant.stat_2954116742|7128","text":"Allocates Dangerous Blossom","type":"enchant"},{"id":"enchant.stat_2954116742|35560","text":"Allocates At your Command","type":"enchant"},{"id":"enchant.stat_2954116742|7847","text":"Allocates The Fabled Stag","type":"enchant"},{"id":"enchant.stat_2954116742|15991","text":"Allocates Embodiment of Lightning","type":"enchant"},{"id":"enchant.stat_2954116742|50392","text":"Allocates Brute Strength","type":"enchant"},{"id":"enchant.stat_2954116742|36333","text":"Allocates Explosive Empowerment","type":"enchant"},{"id":"enchant.stat_2954116742|17825","text":"Allocates Tactical Retreat","type":"enchant"},{"id":"enchant.stat_2954116742|63400","text":"Allocates Chakra of Elements","type":"enchant"},{"id":"enchant.stat_2954116742|29800","text":"Allocates Shocking Limit","type":"enchant"},{"id":"enchant.stat_2954116742|24087","text":"Allocates Everlasting Infusions","type":"enchant"},{"id":"enchant.stat_2954116742|37302","text":"Allocates Kept at Bay","type":"enchant"},{"id":"enchant.stat_2954116742|48617","text":"Allocates Hunter","type":"enchant"},{"id":"enchant.stat_2954116742|31773","text":"Allocates Resurging Archon","type":"enchant"},{"id":"enchant.stat_2954116742|8782","text":"Allocates Empowering Infusions","type":"enchant"},{"id":"enchant.stat_2954116742|40985","text":"Allocates Empowering Remnants","type":"enchant"},{"id":"enchant.stat_2954116742|5642","text":"Allocates Behemoth","type":"enchant"},{"id":"enchant.stat_2954116742|64050","text":"Allocates Marathon Runner","type":"enchant"},{"id":"enchant.stat_2954116742|13482","text":"Allocates Punctured Lung","type":"enchant"},{"id":"enchant.stat_2954116742|34553","text":"Allocates Emboldening Lead","type":"enchant"},{"id":"enchant.stat_2954116742|1603","text":"Allocates Storm Driven","type":"enchant"},{"id":"enchant.stat_2954116742|64415","text":"Allocates Shattering Daze","type":"enchant"},{"id":"enchant.stat_2954116742|9896","text":"Allocates Heartstopping Presence","type":"enchant"},{"id":"enchant.stat_2954116742|20511","text":"Allocates Cremating Cries","type":"enchant"},{"id":"enchant.stat_2954116742|46124","text":"Allocates Arcane Remnants","type":"enchant"},{"id":"enchant.stat_2954116742|52229","text":"Allocates Secrets of the Orb","type":"enchant"},{"id":"enchant.stat_2954116742|50715","text":"Allocates Frozen Limit","type":"enchant"},{"id":"enchant.stat_2954116742|56112","text":"Allocates Extinguishing Exhalation","type":"enchant"},{"id":"enchant.stat_2954116742|45329","text":"Allocates Delayed Danger","type":"enchant"},{"id":"enchant.stat_2954116742|56767","text":"Allocates Electrifying Daze","type":"enchant"},{"id":"enchant.stat_2954116742|42760","text":"Allocates Chakra of Stability","type":"enchant"},{"id":"enchant.stat_2954116742|47514","text":"Allocates Dizzying Hits","type":"enchant"},{"id":"enchant.stat_2954116742|56988","text":"Allocates Electric Blood","type":"enchant"},{"id":"enchant.stat_2954116742|23736","text":"Allocates Spray and Pray","type":"enchant"},{"id":"enchant.stat_2954116742|7782","text":"Allocates Rupturing Pins","type":"enchant"},{"id":"enchant.stat_2954116742|13515","text":"Allocates Stormwalker","type":"enchant"},{"id":"enchant.stat_2954116742|41394","text":"Allocates Invigorating Archon","type":"enchant"},{"id":"enchant.stat_2954116742|61354","text":"Allocates Infernal Limit","type":"enchant"},{"id":"enchant.stat_2954116742|42045","text":"Allocates Archon of the Blizzard","type":"enchant"},{"id":"enchant.stat_2954116742|33922","text":"Allocates Stripped Defences","type":"enchant"},{"id":"enchant.stat_2954116742|47420","text":"Allocates Expendable Army","type":"enchant"},{"id":"enchant.stat_2954116742|5594","text":"Allocates Decrepifying Curse","type":"enchant"},{"id":"enchant.stat_2954116742|64659","text":"Allocates Lasting Boons","type":"enchant"},{"id":"enchant.stat_2954116742|34425","text":"Allocates Precise Volatility","type":"enchant"},{"id":"enchant.stat_2954116742|53683","text":"Allocates Efficient Loading","type":"enchant"},{"id":"enchant.stat_2954116742|4579","text":"Allocates Unbothering Cold","type":"enchant"},{"id":"enchant.stat_2954116742|28613","text":"Allocates Roaring Cries","type":"enchant"},{"id":"enchant.stat_2954116742|4544","text":"Allocates The Ancient Serpent","type":"enchant"},{"id":"enchant.stat_2954116742|20251","text":"Allocates Splitting Ground","type":"enchant"},{"id":"enchant.stat_2954116742|26479","text":"Allocates Steadfast Resolve","type":"enchant"},{"id":"enchant.stat_2954116742|38965","text":"Allocates Infused Limits","type":"enchant"},{"id":"enchant.stat_2954116742|23630","text":"Allocates Self Immolation","type":"enchant"},{"id":"enchant.stat_2954116742|5410","text":"Allocates Channelled Heritage","type":"enchant"},{"id":"enchant.stat_2954116742|63031","text":"Allocates Glorious Anticipation","type":"enchant"},{"id":"enchant.stat_2954116742|4331","text":"Allocates Guided Hand","type":"enchant"},{"id":"enchant.stat_2954116742|45751","text":"Allocates Frightening Shield","type":"enchant"},{"id":"enchant.stat_2954116742|53607","text":"Allocates Fortified Location","type":"enchant"},{"id":"enchant.stat_2954116742|9604","text":"Allocates Thirst of Kitava","type":"enchant"},{"id":"enchant.stat_2954116742|65256","text":"Allocates Widespread Coverage","type":"enchant"},{"id":"enchant.stat_2954116742|58817","text":"Allocates Artillery Strike","type":"enchant"},{"id":"enchant.stat_2954116742|63739","text":"Allocates Vigorous Remnants","type":"enchant"},{"id":"enchant.stat_2954116742|31745","text":"Allocates Lockdown","type":"enchant"},{"id":"enchant.stat_2954116742|24491","text":"Allocates Invocated Echoes","type":"enchant"},{"id":"enchant.stat_2954116742|4810","text":"Allocates Sanguine Tolerance","type":"enchant"},{"id":"enchant.stat_2954116742|25211","text":"Allocates Waning Hindrances","type":"enchant"},{"id":"enchant.stat_2954116742|12906","text":"Allocates Sitting Duck","type":"enchant"},{"id":"enchant.stat_2954116742|9928","text":"Allocates Embracing Frost","type":"enchant"},{"id":"enchant.stat_2954116742|33229","text":"Allocates Haemorrhaging Cuts","type":"enchant"},{"id":"enchant.stat_2954116742|27434","text":"Allocates Archon of the Storm","type":"enchant"},{"id":"enchant.stat_2954116742|59070","text":"Allocates Enduring Archon","type":"enchant"},{"id":"enchant.stat_2954116742|62963","text":"Allocates Flamewalker","type":"enchant"},{"id":"enchant.stat_2954116742|29288","text":"Allocates Deadly Invocations","type":"enchant"},{"id":"enchant.stat_2954116742|50023","text":"Allocates Invigorating Grandeur","type":"enchant"},{"id":"enchant.stat_2954116742|29899","text":"Allocates Finish Them","type":"enchant"},{"id":"enchant.stat_2954116742|48699","text":"Allocates Frostwalker","type":"enchant"},{"id":"enchant.stat_2954116742|51868","text":"Allocates Molten Carapace","type":"enchant"},{"id":"enchant.stat_2954116742|52684","text":"Allocates Eroding Chains","type":"enchant"},{"id":"enchant.stat_2954116742|53566","text":"Allocates Run and Gun","type":"enchant"},{"id":"enchant.stat_2954116742|15606","text":"Allocates Thrill of the Fight","type":"enchant"},{"id":"enchant.stat_2954116742|45370","text":"Allocates The Raging Ox","type":"enchant"},{"id":"enchant.stat_2954116742|32151","text":"Allocates Crystalline Resistance","type":"enchant"},{"id":"enchant.stat_2954116742|7449","text":"Allocates Splinters","type":"enchant"},{"id":"enchant.stat_2954116742|35918","text":"Allocates One For All","type":"enchant"},{"id":"enchant.stat_2954116742|2843","text":"Allocates Tolerant Equipment","type":"enchant"},{"id":"enchant.stat_2954116742|2134","text":"Allocates Toxic Tolerance","type":"enchant"},{"id":"enchant.stat_2954116742|12964","text":"Allocates Lone Warrior","type":"enchant"},{"id":"enchant.stat_2954116742|9328","text":"Allocates Spirit of the Bear","type":"enchant"},{"id":"enchant.stat_2954116742|31724","text":"Allocates Iron Slippers","type":"enchant"},{"id":"enchant.stat_2954116742|28892","text":"Allocates Primal Rage","type":"enchant"},{"id":"enchant.stat_2954116742|48925","text":"Allocates Blessing of the Moon","type":"enchant"},{"id":"enchant.stat_2954116742|41620","text":"Allocates Bear's Roar","type":"enchant"},{"id":"enchant.stat_2954116742|17725","text":"Allocates Bonded Precision","type":"enchant"},{"id":"enchant.stat_2954116742|25753","text":"Allocates Blazing Arms","type":"enchant"},{"id":"enchant.stat_2954116742|43584","text":"Allocates Flare","type":"enchant"},{"id":"enchant.stat_2954116742|57921","text":"Allocates Wolf's Howl","type":"enchant"},{"id":"enchant.stat_2954116742|38532","text":"Allocates Thirst for Power","type":"enchant"},{"id":"enchant.stat_2954116742|57617","text":"Allocates Shifted Strikes","type":"enchant"},{"id":"enchant.stat_2954116742|2814","text":"Allocates Engineered Blaze","type":"enchant"},{"id":"enchant.stat_2954116742|16142","text":"Allocates Deep Freeze","type":"enchant"},{"id":"enchant.stat_2954116742|55450","text":"Allocates Rallying Form","type":"enchant"},{"id":"enchant.stat_2954116742|45874","text":"Allocates Proliferating Weeds","type":"enchant"},{"id":"enchant.stat_2954116742|18959","text":"Allocates Ruinic Helm","type":"enchant"},{"id":"enchant.stat_2954116742|38329","text":"Allocates Biting Frost","type":"enchant"},{"id":"enchant.stat_2954116742|41935","text":"Allocates Hide of the Bear","type":"enchant"},{"id":"enchant.stat_2954116742|9009","text":"Allocates Return to Nature","type":"enchant"},{"id":"enchant.stat_2954116742|16940","text":"Allocates Arcane Nature","type":"enchant"},{"id":"enchant.stat_2954116742|59938","text":"Allocates Against the Elements","type":"enchant"},{"id":"enchant.stat_2954116742|59433","text":"Allocates Thirst for Endurance","type":"enchant"},{"id":"enchant.stat_2954116742|15114","text":"Allocates Boundless Growth","type":"enchant"},{"id":"enchant.stat_2954116742|44974","text":"Allocates Hail","type":"enchant"},{"id":"enchant.stat_2954116742|12245","text":"Allocates Arsonist","type":"enchant"},{"id":"enchant.stat_2954116742|28408","text":"Allocates Invigorating Hate","type":"enchant"},{"id":"enchant.stat_2954116742|60619","text":"Allocates Scales of the Wyvern","type":"enchant"},{"id":"enchant.stat_2954116742|35618","text":"Allocates Cold Coat","type":"enchant"},{"id":"enchant.stat_2954116742|9323","text":"Allocates Craving Slaughter","type":"enchant"},{"id":"enchant.stat_2954116742|35417","text":"Allocates Wyvern's Breath","type":"enchant"},{"id":"enchant.stat_2954116742|29881","text":"Allocates Surging Beast","type":"enchant"},{"id":"enchant.stat_2954116742|21784","text":"Allocates Pack Encouragement","type":"enchant"},{"id":"enchant.stat_2954116742|49214","text":"Allocates Blood of the Wolf","type":"enchant"},{"id":"enchant.stat_2954116742|58198","text":"Allocates Well of Power","type":"enchant"},{"id":"enchant.stat_2954116742|8916","text":"Allocates Bashing Beast","type":"enchant"},{"id":"enchant.stat_2954116742|32858","text":"Allocates Dread Engineer's Concoction","type":"enchant"},{"id":"enchant.stat_2954116742|55817","text":"Allocates Alchemical Oil","type":"enchant"},{"id":"enchant.stat_2954116742|33542","text":"Allocates Quick Fingers","type":"enchant"},{"id":"enchant.stat_2954116742|10727","text":"Allocates Emboldening Casts","type":"enchant"},{"id":"enchant.stat_2954116742|26104","text":"Allocates Spirit of the Wyvern","type":"enchant"},{"id":"enchant.stat_2954116742|30546","text":"Allocates Electrified Claw","type":"enchant"},{"id":"enchant.stat_2954116742|14602","text":"Allocates Specialised Shots","type":"enchant"},{"id":"enchant.stat_2954116742|3348","text":"Allocates Spirit of the Wolf","type":"enchant"},{"id":"enchant.stat_2954116742|39884","text":"Allocates Searing Heat","type":"enchant"},{"id":"enchant.stat_2954116742|55375","text":"Allocates Licking Wounds","type":"enchant"},{"id":"enchant.stat_2954116742|20558","text":"Allocates Among the Hordes","type":"enchant"},{"id":"enchant.stat_2954116742|55308","text":"Allocates Sling Shots","type":"enchant"},{"id":"enchant.stat_2954116742|54640","text":"Allocates Constricting","type":"enchant"},{"id":"enchant.stat_2954116742|36100","text":"Allocates Molten Claw","type":"enchant"},{"id":"enchant.stat_2954116742|56237","text":"Allocates Enhancing Attacks","type":"enchant"},{"id":"enchant.stat_2954116742|7542","text":"Allocates Encompassing Domain","type":"enchant"},{"id":"enchant.stat_2954116742|261","text":"Allocates Toxic Sludge","type":"enchant"},{"id":"enchant.stat_2954116742|53265","text":"Allocates Nature's Bite","type":"enchant"},{"id":"enchant.stat_2954116742|45777","text":"Allocates Hidden Barb","type":"enchant"},{"id":"enchant.stat_2954116742|2344","text":"Allocates Dimensional Weakspot","type":"enchant"},{"id":"enchant.stat_2954116742|1502","text":"Allocates Draiocht Cleansing","type":"enchant"},{"id":"enchant.stat_2954116742|56714","text":"Allocates Swift Flight","type":"enchant"},{"id":"enchant.stat_2954116742|30395","text":"Allocates Howling Beast","type":"enchant"},{"id":"enchant.stat_2954116742|43250","text":"Allocates Adaptive Skin","type":"enchant"},{"id":"enchant.stat_2954116742|48649","text":"Allocates Insulating Hide","type":"enchant"},{"id":"enchant.stat_2954116742|42070","text":"Allocates Saqawal's Guidance","type":"enchant"},{"id":"enchant.stat_2954116742|46182","text":"Allocates Intense Dose","type":"enchant"},{"id":"enchant.stat_2954116742|1506","text":"Allocates Remnant Attraction","type":"enchant"},{"id":"enchant.stat_2954116742|47560","text":"Allocates Multi Shot","type":"enchant"},{"id":"enchant.stat_2954116742|33730","text":"Allocates Focused Channel","type":"enchant"},{"id":"enchant.stat_2954116742|11886","text":"Allocates Mauling Stuns","type":"enchant"},{"id":"enchant.stat_2954116742|20289","text":"Allocates Frozen Claw","type":"enchant"},{"id":"enchant.stat_2017682521","text":"#% increased Pack Size in your Maps","type":"enchant"},{"id":"enchant.stat_2306002879","text":"#% increased Rarity of Items found in your Maps","type":"enchant"}]},{"id":"rune","label":"Augment","entries":[{"id":"rune.stat_2280525771","text":"Bonded: # to maximum Life","type":"augment"},{"id":"rune.stat_2926029365","text":"Bonded: # to maximum Mana","type":"augment"},{"id":"rune.stat_3523867985","text":"#% increased Armour, Evasion and Energy Shield","type":"augment"},{"id":"rune.stat_1039491398","text":"Bonded: #% increased effect of Fully Broken Armour","type":"augment"},{"id":"rune.stat_1509134228","text":"#% increased Physical Damage","type":"augment"},{"id":"rune.stat_3372524247","text":"#% to Fire Resistance","type":"augment"},{"id":"rune.stat_1671376347","text":"#% to Lightning Resistance","type":"augment"},{"id":"rune.stat_4220027924","text":"#% to Cold Resistance","type":"augment"},{"id":"rune.stat_2923486259","text":"#% to Chaos Resistance","type":"augment"},{"id":"rune.stat_3336890334","text":"Adds # to # Lightning Damage","type":"augment"},{"id":"rune.stat_2430860292","text":"Bonded: #% increased Magnitude of Shock you inflict","type":"augment"},{"id":"rune.stat_2901986750","text":"#% to all Elemental Resistances","type":"augment"},{"id":"rune.stat_789117908","text":"#% increased Mana Regeneration Rate","type":"augment"},{"id":"rune.stat_3299347043","text":"# to maximum Life","type":"augment"},{"id":"rune.stat_1817052494","text":"Bonded: #% increased Freeze Buildup","type":"augment"},{"id":"rune.stat_1037193709","text":"Adds # to # Cold Damage","type":"augment"},{"id":"rune.stat_2974417149","text":"#% increased Spell Damage","type":"augment"},{"id":"rune.stat_3990135792","text":"Bonded: Break Armour on Critical Hit with Spells equal to #% of Physical Damage dealt","type":"augment"},{"id":"rune.stat_387439868","text":"#% increased Elemental Damage with Attacks","type":"augment"},{"id":"rune.stat_709508406","text":"Adds # to # Fire Damage","type":"augment"},{"id":"rune.stat_1857162058","text":"Bonded: #% increased Ignite Magnitude","type":"augment"},{"id":"rune.stat_1050105434","text":"# to maximum Mana","type":"augment"},{"id":"rune.stat_124131830","text":"# to Level of all Spell Skills","type":"augment"},{"id":"rune.stat_731403740","text":"Gain #% of Damage as Extra Damage of all Elements","type":"augment"},{"id":"rune.stat_975988108","text":"Bonded: Archon recovery period expires #% faster","type":"augment"},{"id":"rune.stat_2694482655","text":"#% to Critical Damage Bonus","type":"augment"},{"id":"rune.stat_2748665614","text":"#% increased maximum Mana","type":"augment"},{"id":"rune.stat_210067635","text":"#% increased Attack Speed (Local)","type":"augment"},{"id":"rune.stat_2310741722","text":"#% increased Life and Mana Recovery from Flasks","type":"augment"},{"id":"rune.stat_1712188793","text":"Bonded: #% chance to gain an additional random Charge when you gain a Charge","type":"augment"},{"id":"rune.stat_836936635","text":"Regenerate #% of maximum Life per second","type":"augment"},{"id":"rune.stat_3788647247","text":"Bonded: #% to Maximum Lightning Resistance","type":"augment"},{"id":"rune.stat_2250533757","text":"#% increased Movement Speed","type":"augment"},{"id":"rune.stat_232299587","text":"Bonded: #% increased Cooldown Recovery Rate","type":"augment"},{"id":"rune.stat_4221147896","text":"Bonded: #% increased Critical Damage Bonus","type":"augment"},{"id":"rune.stat_737908626","text":"#% increased Critical Hit Chance for Spells","type":"augment"},{"id":"rune.stat_328541901","text":"# to Intelligence","type":"augment"},{"id":"rune.stat_4080418644","text":"# to Strength","type":"augment"},{"id":"rune.stat_3909696841","text":"Bonded: #% chance when collecting an Elemental Infusion to gain an\nadditional Elemental Infusion of the same type","type":"augment"},{"id":"rune.stat_3261801346","text":"# to Dexterity","type":"augment"},{"id":"rune.stat_2246411426","text":"Bonded: #% increased maximum Life","type":"augment"},{"id":"rune.stat_3278136794","text":"Gain #% of Damage as Extra Lightning Damage","type":"augment"},{"id":"rune.stat_55876295","text":"Leeches #% of Physical Damage as Life","type":"augment"},{"id":"rune.stat_2077615515","text":"#% increased Attack Damage against Rare or Unique Enemies","type":"augment"},{"id":"rune.stat_243313994","text":"Bonded: # to Level of all Attack Skills","type":"augment"},{"id":"rune.stat_4064396395","text":"Attacks with this Weapon Penetrate #% Elemental Resistances","type":"augment"},{"id":"rune.stat_3398787959","text":"Gain #% of Damage as Extra Chaos Damage","type":"augment"},{"id":"rune.stat_635535560","text":"Bonded: Gain #% of Damage as Extra Physical Damage","type":"augment"},{"id":"rune.stat_1586906534","text":"Bonded: #% increased maximum Mana","type":"augment"},{"id":"rune.stat_165746512","text":"Bonded: #% increased Slowing Potency of Debuffs on You","type":"augment"},{"id":"rune.stat_681332047","text":"#% increased Attack Speed","type":"augment"},{"id":"rune.stat_859085781","text":"Bonded: Attacks have #% to Critical Hit Chance","type":"augment"},{"id":"rune.stat_1631975646","text":"Bonded: #% increased Projectile Speed","type":"augment"},{"id":"rune.stat_691932474","text":"# to Accuracy Rating (Local)","type":"augment"},{"id":"rune.stat_3885405204","text":"Bow Attacks fire # additional Arrows","type":"augment"},{"id":"rune.stat_669069897","text":"Leeches #% of Physical Damage as Mana","type":"augment"},{"id":"rune.stat_3032590688","text":"Adds # to # Physical Damage to Attacks","type":"augment"},{"id":"rune.stat_1482283017","text":"Bonded: Fissure Skills have +# to Limit","type":"augment"},{"id":"rune.stat_983749596","text":"#% increased maximum Life","type":"augment"},{"id":"rune.stat_3984865854","text":"#% increased Spirit","type":"augment"},{"id":"rune.stat_1611856026","text":"Bonded: Minions have #% increased Cooldown Recovery Rate for Command Skills","type":"augment"},{"id":"rune.stat_2891184298","text":"#% increased Cast Speed","type":"augment"},{"id":"rune.stat_532897212","text":"Bonded: #% increased Mana Cost Efficiency while on Low Mana","type":"augment"},{"id":"rune.stat_1798257884","text":"Allies in your Presence deal #% increased Damage","type":"augment"},{"id":"rune.stat_3412619569","text":"Bonded: #% increased Damage while Shapeshifted","type":"augment"},{"id":"rune.stat_2505884597","text":"Gain #% of Damage as Extra Cold Damage","type":"augment"},{"id":"rune.stat_408302348","text":"Bonded: #% to Maximum Fire Resistance","type":"augment"},{"id":"rune.stat_791928121","text":"Causes #% increased Stun Buildup","type":"augment"},{"id":"rune.stat_3823333703","text":"Bonded: #% increased Damage against Immobilised Enemies","type":"augment"},{"id":"rune.stat_4042480703","text":"Bonded: #% to Maximum Cold Resistance","type":"augment"},{"id":"rune.stat_915769802","text":"# to Stun Threshold","type":"augment"},{"id":"rune.stat_1368271171","text":"Gain # Mana per enemy killed","type":"augment"},{"id":"rune.stat_2561960218","text":"Bonded: #% of Skill Mana Costs Converted to Life Costs","type":"augment"},{"id":"rune.stat_1981392722","text":"Bonded: Regenerate #% of maximum Life per second","type":"augment"},{"id":"rune.stat_3695891184","text":"Gain # Life per enemy killed","type":"augment"},{"id":"rune.stat_263495202","text":"#% increased Cost Efficiency","type":"augment"},{"id":"rune.stat_4254029169","text":"Bonded: Meta Skills have #% increased Reservation Efficiency","type":"augment"},{"id":"rune.stat_2913012734","text":"Convert #% of Requirements to Intelligence","type":"augment"},{"id":"rune.stat_3015669065","text":"Gain #% of Damage as Extra Fire Damage","type":"augment"},{"id":"rune.stat_2986637363","text":"Bonded: #% increased Duration of Damaging Ailments on Enemies","type":"augment"},{"id":"rune.stat_1381474422","text":"#% increased Magnitude of Damaging Ailments you inflict","type":"augment"},{"id":"rune.stat_3175163625","text":"#% increased Quantity of Gold Dropped by Slain Enemies","type":"augment"},{"id":"rune.stat_2546200564","text":"Bonded: #% increased Duration of Elemental Ailments on Enemies","type":"augment"},{"id":"rune.stat_782230869","text":"#% increased Magnitude of Non-Damaging Ailments you inflict","type":"augment"},{"id":"rune.stat_3738367433","text":"Bonded: Adds # to # Physical Damage to Attacks","type":"augment"},{"id":"rune.stat_839375491","text":"Bonded: Minions Revive #% faster","type":"augment"},{"id":"rune.stat_1805633363","text":"#% increased Reservation Efficiency of Minion Skills","type":"augment"},{"id":"rune.stat_1181501418","text":"# to Maximum Rage","type":"augment"},{"id":"rune.stat_3981240776","text":"# to Spirit","type":"augment"},{"id":"rune.stat_2910761524","text":"#% chance for Spell Skills to fire 2 additional Projectiles","type":"augment"},{"id":"rune.stat_807013157","text":"Bonded: Every Rage also grants #% increased Spell Damage","type":"augment"},{"id":"rune.stat_1782086450","text":"#% faster start of Energy Shield Recharge","type":"augment"},{"id":"rune.stat_1004011302","text":"#% increased Cooldown Recovery Rate","type":"augment"},{"id":"rune.stat_2729035954","text":"Bonded: #% increased Reservation Efficiency of Companion Skills","type":"augment"},{"id":"rune.stat_280731498","text":"#% increased Area of Effect","type":"augment"},{"id":"rune.stat_2339757871","text":"#% increased Energy Shield Recharge Rate","type":"augment"},{"id":"rune.stat_4095671657","text":"#% to Maximum Fire Resistance","type":"augment"},{"id":"rune.stat_2820881361","text":"Bonded: #% faster start of Energy Shield Recharge","type":"augment"},{"id":"rune.stat_1299166504","text":"Bonded: #% increased Reservation Efficiency of Herald Skills","type":"augment"},{"id":"rune.stat_970213192","text":"#% increased Skill Speed","type":"augment"},{"id":"rune.stat_458438597","text":"#% of Damage is taken from Mana before Life","type":"augment"},{"id":"rune.stat_293638271","text":"#% increased chance to Shock","type":"augment"},{"id":"rune.stat_2100249038","text":"Bonded: #% of Maximum Life Converted to Energy Shield","type":"augment"},{"id":"rune.stat_3308150554","text":"Bonded: Adds # to # Fire damage to Attacks","type":"augment"},{"id":"rune.stat_1496740334","text":"Convert #% of Requirements to Dexterity","type":"augment"},{"id":"rune.stat_217649179","text":"Bonded: #% increased Curse Magnitudes","type":"augment"},{"id":"rune.stat_542243093","text":"Bonded: #% increased Warcry Cooldown Recovery Rate","type":"augment"},{"id":"rune.stat_2709367754","text":"Gain # Rage on Melee Hit","type":"augment"},{"id":"rune.stat_3407849389","text":"#% reduced effect of Curses on you","type":"augment"},{"id":"rune.stat_3377888098","text":"#% increased Skill Effect Duration","type":"augment"},{"id":"rune.stat_310945763","text":"#% increased Life Cost Efficiency","type":"augment"},{"id":"rune.stat_3917489142","text":"#% increased Rarity of Items found","type":"augment"},{"id":"rune.stat_3898665772","text":"Bonded: #% increased Quantity of Gold Dropped by Slain Enemies","type":"augment"},{"id":"rune.stat_674141348","text":"Bonded: #% increased Attack Damage while Shapeshifted","type":"augment"},{"id":"rune.stat_144568384","text":"Bonded: #% increased Skill Speed while Shapeshifted","type":"augment"},{"id":"rune.stat_953010920","text":"Bonded: #% to all Elemental Resistances","type":"augment"},{"id":"rune.stat_3666934677","text":"#% increased Experience gain","type":"augment"},{"id":"rune.stat_1030153674","text":"Recover #% of maximum Mana on Kill","type":"augment"},{"id":"rune.stat_3854332662","text":"Bonded: #% increased Area of Effect of Curses","type":"augment"},{"id":"rune.stat_1984310483","text":"Enemies you Curse take #% increased Damage","type":"augment"},{"id":"rune.stat_3144895835","text":"Bonded: #% increased Magnitude of Bleeding on You","type":"augment"},{"id":"rune.stat_3166958180","text":"#% increased Magnitude of Bleeding you inflict","type":"augment"},{"id":"rune.stat_2011656677","text":"#% increased Poison Duration","type":"augment"},{"id":"rune.stat_3544800472","text":"#% increased Elemental Ailment Threshold","type":"augment"},{"id":"rune.stat_3311629379","text":"Bonded: #% increased Critical Hit Chance while Shapeshifted","type":"augment"},{"id":"rune.stat_3897831687","text":"#% of Armour also applies to Fire Damage","type":"augment"},{"id":"rune.stat_2103650854","text":"#% increased effect of Arcane Surge on you","type":"augment"},{"id":"rune.stat_1947060170","text":"#% of Armour also applies to Cold Damage","type":"augment"},{"id":"rune.stat_3655769732","text":"#% to Quality of all Skills","type":"augment"},{"id":"rune.stat_2134854700","text":"Bonded: #% chance for Damage of Enemies Hitting you to be Unlucky","type":"augment"},{"id":"rune.stat_2481353198","text":"#% increased Block chance (Local)","type":"augment"},{"id":"rune.stat_534024","text":"Bonded: # to all Attributes","type":"augment"},{"id":"rune.stat_1519615863","text":"#% chance to cause Bleeding on Hit","type":"augment"},{"id":"rune.stat_3742865955","text":"Minions deal #% increased Damage with Command Skills","type":"augment"},{"id":"rune.stat_2200571612","text":"#% of Armour also applies to Lightning Damage","type":"augment"},{"id":"rune.stat_1755296234","text":"Targets can be affected by # of your Poisons at the same time","type":"augment"},{"id":"rune.stat_1236190486","text":"Bonded: #% increased effect of Archon Buffs on you","type":"augment"},{"id":"rune.stat_1922668512","text":"Bonded: Gain #% of Elemental Damage as Extra Chaos Damage","type":"augment"},{"id":"rune.stat_1556124492","text":"Convert #% of Requirements to Strength","type":"augment"},{"id":"rune.stat_1382805233","text":"#% increased Deflection Rating while moving","type":"augment"},{"id":"rune.stat_1597408611","text":"Bonded: Prevent #% of Damage from Deflected Hits","type":"augment"},{"id":"rune.stat_2336012075","text":"Bonded: #% increased Mana Cost Efficiency","type":"augment"},{"id":"rune.stat_3266426611","text":"Bonded: #% increased Thorns damage","type":"augment"},{"id":"rune.stat_1998951374","text":"Allies in your Presence have #% increased Attack Speed","type":"augment"},{"id":"rune.stat_757050353","text":"# to # Lightning Thorns damage","type":"augment"},{"id":"rune.stat_3855016469","text":"Hits against you have #% reduced Critical Damage Bonus","type":"augment"},{"id":"rune.stat_1574590649","text":"Allies in your Presence deal # to # added Attack Physical Damage","type":"augment"},{"id":"rune.stat_1444556985","text":"#% of Damage taken Recouped as Life","type":"augment"},{"id":"rune.stat_2703838669","text":"#% increased Movement Speed per 15 Spirit, up to a maximum of 40%\nOther Modifiers to Movement Speed except for Sprinting do not apply","type":"augment"},{"id":"rune.stat_3891661462","text":"Bonded: #% increased Magnitude of Non-Damaging Ailments you inflict","type":"augment"},{"id":"rune.stat_2074866941","text":"#% increased Exposure Effect","type":"augment"},{"id":"rune.stat_924253255","text":"#% increased Slowing Potency of Debuffs on You","type":"augment"},{"id":"rune.stat_687156079","text":"# to Accuracy Rating per 1 Item Evasion Rating on Equipped Helmet","type":"augment"},{"id":"rune.stat_101878827","text":"#% increased Presence Area of Effect","type":"augment"},{"id":"rune.stat_3449499156","text":"Bonded: Minions have #% increased Area of Effect","type":"augment"},{"id":"rune.stat_2854751904","text":"Allies in your Presence deal # to # added Attack Lightning Damage","type":"augment"},{"id":"rune.stat_3537994888","text":"#% chance when you gain a Power Charge to gain an additional Power Charge","type":"augment"},{"id":"rune.stat_3973629633","text":"#% increased Withered Magnitude","type":"augment"},{"id":"rune.stat_3351086592","text":"Bonded: #% to Chaos Resistance","type":"augment"},{"id":"rune.stat_289128254","text":"Allies in your Presence have #% increased Cast Speed","type":"augment"},{"id":"rune.stat_3885634897","text":"#% chance to Poison on Hit with this weapon","type":"augment"},{"id":"rune.stat_1250712710","text":"Allies in your Presence have #% increased Critical Hit Chance","type":"augment"},{"id":"rune.stat_827242569","text":"Bonded: # to maximum Energy Shield","type":"augment"},{"id":"rune.stat_3489782002","text":"# to maximum Energy Shield","type":"augment"},{"id":"rune.stat_3107707789","text":"#% increased Movement Speed while Sprinting","type":"augment"},{"id":"rune.stat_763465498","text":"Bonded: #% increased Charm Charges gained","type":"augment"},{"id":"rune.stat_3473409233","text":"Lose #% of maximum Life per second while Sprinting","type":"augment"},{"id":"rune.stat_624954515","text":"#% increased Accuracy Rating","type":"augment"},{"id":"rune.stat_3057012405","text":"Allies in your Presence have #% increased Critical Damage Bonus","type":"augment"},{"id":"rune.stat_3227486464","text":"Bonded: Remnants have #% increased effect","type":"augment"},{"id":"rune.stat_2353576063","text":"#% increased Curse Magnitudes","type":"augment"},{"id":"rune.stat_2023107756","text":"Recover #% of maximum Life on Kill","type":"augment"},{"id":"rune.stat_473429811","text":"#% increased Freeze Buildup","type":"augment"},{"id":"rune.stat_1197632982","text":"# to Armour per 1 Spirit","type":"augment"},{"id":"rune.stat_426207520","text":"Each Runic Inscription from your Curse Skills causes you to Regenerate Mana per second equal to #% of that Skill's Mana Cost","type":"augment"},{"id":"rune.stat_280497929","text":"# to maximum Mana per 2 Item Energy Shield on Equipped Helmet","type":"augment"},{"id":"rune.stat_770672621","text":"Minions have #% increased maximum Life","type":"augment"},{"id":"rune.stat_1728593484","text":"Bonded: Minions deal #% increased Damage","type":"augment"},{"id":"rune.stat_1433756169","text":"Minions gain #% of their Physical Damage as Extra Lightning Damage","type":"augment"},{"id":"rune.stat_1228682002","text":"#% chance when you gain an Endurance Charge to gain an additional Endurance Charge","type":"augment"},{"id":"rune.stat_3850614073","text":"Allies in your Presence have #% to all Elemental Resistances","type":"augment"},{"id":"rune.stat_826685275","text":"Bonded: #% of Armour also applies to Elemental Damage while Shapeshifted","type":"augment"},{"id":"rune.stat_3373098634","text":"Bonded: Remnants can be collected from #% further away","type":"augment"},{"id":"rune.stat_2223678961","text":"Adds # to # Chaos damage","type":"augment"},{"id":"rune.stat_264750496","text":"Bonded: #% of Damage taken Recouped as Life","type":"augment"},{"id":"rune.stat_2363593824","text":"#% increased speed of Recoup Effects","type":"augment"},{"id":"rune.stat_554899692","text":"# Charm Slot (Global)","type":"augment"},{"id":"rune.stat_3286003349","text":"Bonded: Storm Skills have +# to Limit","type":"augment"},{"id":"rune.stat_3925507006","text":"Bonded: Thorns Damage has #% chance to ignore Enemy Armour","type":"augment"},{"id":"rune.stat_915264788","text":"#% increased Thorns Critical Hit Chance","type":"augment"},{"id":"rune.stat_3759663284","text":"#% increased Projectile Speed","type":"augment"},{"id":"rune.stat_2916861134","text":"#% chance when you gain a Frenzy Charge to gain an additional Frenzy Charge","type":"augment"},{"id":"rune.stat_2241849004","text":"Energy Shield Recharge starts after spending a total of\n 2000 Mana, no more than once every 2 seconds","type":"augment"},{"id":"rune.stat_2573124363","text":"Bonded: # to Armour","type":"augment"},{"id":"rune.stat_1772929282","text":"Enemies you Curse have #% to Chaos Resistance","type":"augment"},{"id":"rune.stat_3824372849","text":"#% increased Curse Duration","type":"augment"},{"id":"rune.stat_3585532255","text":"#% increased Charm Charges gained","type":"augment"},{"id":"rune.stat_1112792773","text":"Bonded: #% increased Immobilisation buildup","type":"augment"},{"id":"rune.stat_416040624","text":"Gain additional Stun Threshold equal to #% of maximum Energy Shield","type":"augment"},{"id":"rune.stat_3533065815","text":"Bonded: # to Evasion Rating","type":"augment"},{"id":"rune.stat_594547430","text":"Remove a Damaging Ailment when you use a Command Skill","type":"augment"},{"id":"rune.stat_1011760251","text":"#% to Maximum Lightning Resistance","type":"augment"},{"id":"rune.stat_2876843277","text":"#% increased Mana Cost Efficiency if you haven't Dodge Rolled Recently","type":"augment"},{"id":"rune.stat_2968503605","text":"#% increased Flammability Magnitude","type":"augment"},{"id":"rune.stat_3676141501","text":"#% to Maximum Cold Resistance","type":"augment"},{"id":"rune.stat_2663359259","text":"#% increased total Power counted by Warcries","type":"augment"},{"id":"rune.stat_155735928","text":"Bonded: #% increased Glory generation","type":"augment"},{"id":"rune.stat_2410766865","text":"Bonded: #% increased Life Regeneration rate while Shapeshifted","type":"augment"},{"id":"rune.stat_4010677958","text":"Allies in your Presence Regenerate # Life per second","type":"augment"},{"id":"rune.stat_3678845069","text":"Attacks with this Weapon have #% chance to inflict Exposure","type":"augment"},{"id":"rune.stat_3378643287","text":"Bonded: #% increased Exposure Effect","type":"augment"},{"id":"rune.stat_649025131","text":"#% increased Movement Speed when on Low Life","type":"augment"},{"id":"rune.stat_3570773271","text":"Increases and Reductions to Life Regeneration Rate also apply to Mana Regeneration Rate","type":"augment"},{"id":"rune.stat_1374654984","text":"#% of Physical Damage prevented Recouped as Life","type":"augment"},{"id":"rune.stat_4282982513","text":"Increases and Reductions to Movement Speed also\n apply to Energy Shield Recharge Rate","type":"augment"},{"id":"rune.stat_4128954176","text":"Bonded: #% increased Elemental Ailment Threshold","type":"augment"},{"id":"rune.stat_1238227257","text":"Debuffs on you expire #% faster","type":"augment"},{"id":"rune.stat_3552135623","text":"Prevent #% of Damage from Deflected Hits","type":"augment"},{"id":"rune.stat_1585886916","text":"Sacrifice #% of maximum Life to gain that much Guard when you Dodge Roll","type":"augment"},{"id":"rune.stat_3903510399","text":"Gain Armour equal to #% of Life Lost from Hits in the past 8 seconds","type":"augment"},{"id":"rune.stat_889552744","text":"Minions take #% of Physical Damage as Lightning Damage","type":"augment"},{"id":"rune.stat_901007505","text":"Bonded: Minions have #% to all Elemental Resistances","type":"augment"},{"id":"rune.stat_4236566306","text":"Meta Skills gain #% increased Energy","type":"augment"},{"id":"rune.stat_4058552370","text":"Bonded: Invocated Spells have #% chance to consume half as much Energy","type":"augment"},{"id":"rune.stat_2191621386","text":"#% of Armour also applies to Chaos Damage while on full Energy Shield","type":"augment"},{"id":"rune.stat_3801067695","text":"#% reduced effect of Shock on you","type":"augment"},{"id":"rune.stat_1441491952","text":"Bonded: #% reduced Shock duration on you","type":"augment"},{"id":"rune.stat_935518591","text":"Critical Hit chance is Lucky against Parried enemies","type":"augment"},{"id":"rune.stat_2231410646","text":"A random Skill that requires Glory generates #% of its maximum Glory when your Mark Activates","type":"augment"},{"id":"rune.stat_1480688478","text":"One of your Persistent Minions revives when an Offering expires","type":"augment"},{"id":"rune.stat_1937310173","text":"You Recoup #% of Damage taken by your Offerings as Life","type":"augment"},{"id":"rune.stat_2590797182","text":"#% increased Movement Speed Penalty from using Skills while moving","type":"augment"}]},{"id":"desecrated","label":"Desecrated","entries":[{"id":"desecrated.stat_3299347043","text":"# to maximum Life","type":"desecrated"},{"id":"desecrated.stat_4052037485","text":"# to maximum Energy Shield (Local)","type":"desecrated"},{"id":"desecrated.stat_4015621042","text":"#% increased Energy Shield","type":"desecrated"},{"id":"desecrated.stat_1671376347","text":"#% to Lightning Resistance","type":"desecrated"},{"id":"desecrated.stat_4220027924","text":"#% to Cold Resistance","type":"desecrated"},{"id":"desecrated.stat_3372524247","text":"#% to Fire Resistance","type":"desecrated"},{"id":"desecrated.stat_1050105434","text":"# to maximum Mana","type":"desecrated"},{"id":"desecrated.stat_3917489142","text":"#% increased Rarity of Items found","type":"desecrated"},{"id":"desecrated.stat_2250533757","text":"#% increased Movement Speed","type":"desecrated"},{"id":"desecrated.stat_2974417149","text":"#% increased Spell Damage","type":"desecrated"},{"id":"desecrated.stat_3981240776","text":"# to Spirit","type":"desecrated"},{"id":"desecrated.stat_328541901","text":"# to Intelligence","type":"desecrated"},{"id":"desecrated.stat_53045048","text":"# to Evasion Rating (Local)","type":"desecrated"},{"id":"desecrated.stat_2891184298","text":"#% increased Cast Speed","type":"desecrated"},{"id":"desecrated.stat_3032590688","text":"Adds # to # Physical Damage to Attacks","type":"desecrated"},{"id":"desecrated.stat_1509134228","text":"#% increased Physical Damage","type":"desecrated"},{"id":"desecrated.stat_3465022881","text":"#% to Lightning and Chaos Resistances","type":"desecrated"},{"id":"desecrated.stat_3484657501","text":"# to Armour (Local)","type":"desecrated"},{"id":"desecrated.stat_1999113824","text":"#% increased Evasion and Energy Shield","type":"desecrated"},{"id":"desecrated.stat_1754445556","text":"Adds # to # Lightning damage to Attacks","type":"desecrated"},{"id":"desecrated.stat_587431675","text":"#% increased Critical Hit Chance","type":"desecrated"},{"id":"desecrated.stat_737908626","text":"#% increased Critical Hit Chance for Spells","type":"desecrated"},{"id":"desecrated.stat_915769802","text":"# to Stun Threshold","type":"desecrated"},{"id":"desecrated.stat_378817135","text":"#% to Fire and Chaos Resistances","type":"desecrated"},{"id":"desecrated.stat_1573130764","text":"Adds # to # Fire damage to Attacks","type":"desecrated"},{"id":"desecrated.stat_3393628375","text":"#% to Cold and Chaos Resistances","type":"desecrated"},{"id":"desecrated.stat_3556824919","text":"#% increased Critical Damage Bonus","type":"desecrated"},{"id":"desecrated.stat_3278136794","text":"Gain #% of Damage as Extra Lightning Damage","type":"desecrated"},{"id":"desecrated.stat_3261801346","text":"# to Dexterity","type":"desecrated"},{"id":"desecrated.stat_274716455","text":"#% increased Critical Spell Damage Bonus","type":"desecrated"},{"id":"desecrated.stat_4067062424","text":"Adds # to # Cold damage to Attacks","type":"desecrated"},{"id":"desecrated.stat_2482852589","text":"#% increased maximum Energy Shield","type":"desecrated"},{"id":"desecrated.stat_210067635","text":"#% increased Attack Speed (Local)","type":"desecrated"},{"id":"desecrated.stat_1062208444","text":"#% increased Armour (Local)","type":"desecrated"},{"id":"desecrated.stat_2505884597","text":"Gain #% of Damage as Extra Cold Damage","type":"desecrated"},{"id":"desecrated.stat_124859000","text":"#% increased Evasion Rating (Local)","type":"desecrated"},{"id":"desecrated.stat_2923486259","text":"#% to Chaos Resistance","type":"desecrated"},{"id":"desecrated.stat_3015669065","text":"Gain #% of Damage as Extra Fire Damage","type":"desecrated"},{"id":"desecrated.stat_2194114101","text":"#% increased Critical Hit Chance for Attacks","type":"desecrated"},{"id":"desecrated.stat_789117908","text":"#% increased Mana Regeneration Rate","type":"desecrated"},{"id":"desecrated.stat_681332047","text":"#% increased Attack Speed","type":"desecrated"},{"id":"desecrated.stat_691932474","text":"# to Accuracy Rating (Local)","type":"desecrated"},{"id":"desecrated.stat_3321629045","text":"#% increased Armour and Energy Shield","type":"desecrated"},{"id":"desecrated.stat_3714003708","text":"#% increased Critical Damage Bonus for Attack Damage","type":"desecrated"},{"id":"desecrated.stat_2910761524","text":"#% chance for Spell Skills to fire 2 additional Projectiles","type":"desecrated"},{"id":"desecrated.stat_3291658075","text":"#% increased Cold Damage","type":"desecrated"},{"id":"desecrated.stat_4080418644","text":"# to Strength","type":"desecrated"},{"id":"desecrated.stat_736967255","text":"#% increased Chaos Damage","type":"desecrated"},{"id":"desecrated.stat_2231156303","text":"#% increased Lightning Damage","type":"desecrated"},{"id":"desecrated.stat_3141070085","text":"#% increased Elemental Damage","type":"desecrated"},{"id":"desecrated.stat_53386210","text":"#% increased Spirit Reservation Efficiency of Skills","type":"desecrated"},{"id":"desecrated.stat_3176481473","text":"#% increased Spell Damage while on Full Energy Shield","type":"desecrated"},{"id":"desecrated.stat_1940865751","text":"Adds # to # Physical Damage","type":"desecrated"},{"id":"desecrated.stat_3336890334","text":"Adds # to # Lightning Damage","type":"desecrated"},{"id":"desecrated.stat_2339757871","text":"#% increased Energy Shield Recharge Rate","type":"desecrated"},{"id":"desecrated.stat_1782086450","text":"#% faster start of Energy Shield Recharge","type":"desecrated"},{"id":"desecrated.stat_1241625305","text":"#% increased Damage with Bow Skills","type":"desecrated"},{"id":"desecrated.stat_2901986750","text":"#% to all Elemental Resistances","type":"desecrated"},{"id":"desecrated.stat_1373860425","text":"#% increased Spell Damage with Spells that cost Life","type":"desecrated"},{"id":"desecrated.stat_3984865854","text":"#% increased Spirit","type":"desecrated"},{"id":"desecrated.stat_1202301673","text":"# to Level of all Projectile Skills","type":"desecrated"},{"id":"desecrated.stat_1604736568","text":"Recover #% of maximum Mana on Kill (Jewel)","type":"desecrated"},{"id":"desecrated.stat_1195319608","text":"#% increased Energy Shield from Equipped Body Armour","type":"desecrated"},{"id":"desecrated.stat_3489782002","text":"# to maximum Energy Shield","type":"desecrated"},{"id":"desecrated.stat_709508406","text":"Adds # to # Fire Damage","type":"desecrated"},{"id":"desecrated.stat_666077204","text":"Companions have #% increased Attack Speed","type":"desecrated"},{"id":"desecrated.stat_2023107756","text":"Recover #% of maximum Life on Kill","type":"desecrated"},{"id":"desecrated.stat_3033371881","text":"Gain Deflection Rating equal to #% of Evasion Rating","type":"desecrated"},{"id":"desecrated.stat_1037193709","text":"Adds # to # Cold Damage","type":"desecrated"},{"id":"desecrated.stat_3362812763","text":"#% of Armour also applies to Elemental Damage","type":"desecrated"},{"id":"desecrated.stat_970213192","text":"#% increased Skill Speed","type":"desecrated"},{"id":"desecrated.stat_1368271171","text":"Gain # Mana per enemy killed","type":"desecrated"},{"id":"desecrated.stat_387439868","text":"#% increased Elemental Damage with Attacks","type":"desecrated"},{"id":"desecrated.stat_518292764","text":"#% to Critical Hit Chance","type":"desecrated"},{"id":"desecrated.stat_2451402625","text":"#% increased Armour and Evasion","type":"desecrated"},{"id":"desecrated.stat_2704225257","text":"# to Spirit","type":"desecrated"},{"id":"desecrated.stat_803737631","text":"# to Accuracy Rating","type":"desecrated"},{"id":"desecrated.stat_3695891184","text":"Gain # Life per enemy killed","type":"desecrated"},{"id":"desecrated.stat_3325883026","text":"# Life Regeneration per second","type":"desecrated"},{"id":"desecrated.stat_3759663284","text":"#% increased Projectile Speed","type":"desecrated"},{"id":"desecrated.stat_1136768410","text":"#% increased Cast Speed when on Low Life","type":"desecrated"},{"id":"desecrated.stat_3962278098","text":"#% increased Fire Damage","type":"desecrated"},{"id":"desecrated.stat_2694482655","text":"#% to Critical Damage Bonus","type":"desecrated"},{"id":"desecrated.stat_3544050945","text":"#% of Spell Mana Cost Converted to Life Cost","type":"desecrated"},{"id":"desecrated.stat_1535626285","text":"# to Strength and Intelligence","type":"desecrated"},{"id":"desecrated.stat_1004011302","text":"#% increased Cooldown Recovery Rate","type":"desecrated"},{"id":"desecrated.stat_3398787959","text":"Gain #% of Damage as Extra Chaos Damage","type":"desecrated"},{"id":"desecrated.stat_538848803","text":"# to Strength and Dexterity","type":"desecrated"},{"id":"desecrated.stat_2106365538","text":"#% increased Evasion Rating","type":"desecrated"},{"id":"desecrated.stat_3561837752","text":"#% of Leech is Instant","type":"desecrated"},{"id":"desecrated.stat_3377888098","text":"#% increased Skill Effect Duration","type":"desecrated"},{"id":"desecrated.stat_2300185227","text":"# to Dexterity and Intelligence","type":"desecrated"},{"id":"desecrated.stat_1389153006","text":"#% increased Global Defences","type":"desecrated"},{"id":"desecrated.stat_1379411836","text":"# to all Attributes","type":"desecrated"},{"id":"desecrated.stat_4101445926","text":"#% increased Mana Cost Efficiency","type":"desecrated"},{"id":"desecrated.stat_2768835289","text":"#% increased Spell Physical Damage","type":"desecrated"},{"id":"desecrated.stat_2321178454","text":"#% chance to Pierce an Enemy","type":"desecrated"},{"id":"desecrated.stat_3509362078","text":"#% increased Evasion Rating from Equipped Body Armour","type":"desecrated"},{"id":"desecrated.stat_2144192055","text":"# to Evasion Rating","type":"desecrated"},{"id":"desecrated.stat_9187492","text":"# to Level of all Melee Skills","type":"desecrated"},{"id":"desecrated.stat_2162097452","text":"# to Level of all Minion Skills","type":"desecrated"},{"id":"desecrated.stat_693180608","text":"#% increased Damage while your Companion is in your Presence","type":"desecrated"},{"id":"desecrated.stat_55876295","text":"Leeches #% of Physical Damage as Life","type":"desecrated"},{"id":"desecrated.stat_669069897","text":"Leeches #% of Physical Damage as Mana","type":"desecrated"},{"id":"desecrated.stat_4246007234","text":"#% increased Attack Damage while on Low Life","type":"desecrated"},{"id":"desecrated.stat_2866361420","text":"#% increased Armour","type":"desecrated"},{"id":"desecrated.stat_707457662","text":"Leech #% of Physical Attack Damage as Mana","type":"desecrated"},{"id":"desecrated.stat_1798257884","text":"Allies in your Presence deal #% increased Damage","type":"desecrated"},{"id":"desecrated.stat_3932115504","text":"Projectile Attacks have a #% chance to fire two additional Projectiles while moving","type":"desecrated"},{"id":"desecrated.stat_1015576579","text":"#% increased Armour from Equipped Body Armour","type":"desecrated"},{"id":"desecrated.stat_2557965901","text":"Leech #% of Physical Attack Damage as Life","type":"desecrated"},{"id":"desecrated.stat_1589917703","text":"Minions deal #% increased Damage","type":"desecrated"},{"id":"desecrated.stat_1444556985","text":"#% of Damage taken Recouped as Life","type":"desecrated"},{"id":"desecrated.stat_3891355829|1","text":"Upgrades Radius to Medium","type":"desecrated"},{"id":"desecrated.stat_234296660","text":"Companions deal #% increased Damage","type":"desecrated"},{"id":"desecrated.stat_3067892458","text":"Triggered Spells deal #% increased Spell Damage","type":"desecrated"},{"id":"desecrated.stat_2158617060","text":"#% increased Archon Buff duration","type":"desecrated"},{"id":"desecrated.stat_101878827","text":"#% increased Presence Area of Effect","type":"desecrated"},{"id":"desecrated.stat_2337295272","text":"Minions deal #% increased Damage if you've Hit Recently","type":"desecrated"},{"id":"desecrated.stat_3639275092","text":"#% increased Attribute Requirements","type":"desecrated"},{"id":"desecrated.stat_3523867985","text":"#% increased Armour, Evasion and Energy Shield","type":"desecrated"},{"id":"desecrated.stat_4019237939","text":"Gain #% of Damage as Extra Physical Damage","type":"desecrated"},{"id":"desecrated.stat_1850249186","text":"#% increased Spell Damage per 100 maximum Mana","type":"desecrated"},{"id":"desecrated.stat_1263695895","text":"#% increased Light Radius","type":"desecrated"},{"id":"desecrated.stat_1999910726","text":"Remnants have #% increased effect","type":"desecrated"},{"id":"desecrated.stat_3417711605","text":"Damage Penetrates #% Cold Resistance","type":"desecrated"},{"id":"desecrated.stat_458438597","text":"#% of Damage is taken from Mana before Life","type":"desecrated"},{"id":"desecrated.stat_2706625504","text":"Projectiles have #% increased Critical Hit Chance against Enemies further than 6m","type":"desecrated"},{"id":"desecrated.stat_3491815140","text":"#% increased Spell Damage per 100 Maximum Life","type":"desecrated"},{"id":"desecrated.stat_1776945532","text":"Enemies you kill have a #% chance to explode, dealing a quarter of their maximum Life as Chaos damage","type":"desecrated"},{"id":"desecrated.stat_293638271","text":"#% increased chance to Shock","type":"desecrated"},{"id":"desecrated.stat_124131830","text":"# to Level of all Spell Skills","type":"desecrated"},{"id":"desecrated.stat_3398301358","text":"Gain additional Ailment Threshold equal to #% of maximum Energy Shield","type":"desecrated"},{"id":"desecrated.stat_473429811","text":"#% increased Freeze Buildup","type":"desecrated"},{"id":"desecrated.stat_3665922113","text":"Small Passive Skills in Radius also grant #% increased maximum Energy Shield","type":"desecrated"},{"id":"desecrated.stat_2586152168","text":"Archon recovery period expires #% faster","type":"desecrated"},{"id":"desecrated.stat_2480498143","text":"#% of Skill Mana Costs Converted to Life Costs","type":"desecrated"},{"id":"desecrated.stat_416040624","text":"Gain additional Stun Threshold equal to #% of maximum Energy Shield","type":"desecrated"},{"id":"desecrated.stat_2174054121","text":"#% chance to inflict Bleeding on Hit","type":"desecrated"},{"id":"desecrated.stat_1381474422","text":"#% increased Magnitude of Damaging Ailments you inflict","type":"desecrated"},{"id":"desecrated.stat_2466011626","text":"#% chance for Lightning Damage with Hits to be Lucky","type":"desecrated"},{"id":"desecrated.stat_153777645","text":"#% increased Area of Effect of Curses","type":"desecrated"},{"id":"desecrated.stat_2573406169","text":"Projectiles have #% increased Critical Damage Bonus against Enemies within 2m","type":"desecrated"},{"id":"desecrated.stat_324210709","text":"#% increased Magnitude of Shock if you've consumed a Frenzy Charge Recently","type":"desecrated"},{"id":"desecrated.stat_2725205297","text":"#% increased Magnitude of Unholy Might buffs you grant","type":"desecrated"},{"id":"desecrated.stat_3007552094","text":"You have Unholy Might","type":"desecrated"},{"id":"desecrated.stat_2709367754","text":"Gain # Rage on Melee Hit","type":"desecrated"},{"id":"desecrated.stat_1772929282","text":"Enemies you Curse have #% to Chaos Resistance","type":"desecrated"},{"id":"desecrated.stat_1137305356","text":"Small Passive Skills in Radius also grant #% increased Spell Damage","type":"desecrated"},{"id":"desecrated.stat_1772247089","text":"#% increased chance to inflict Ailments","type":"desecrated"},{"id":"desecrated.stat_2074866941","text":"#% increased Exposure Effect","type":"desecrated"},{"id":"desecrated.stat_2359002191","text":"Notable Passive Skills in Radius also grant #% increased Critical Damage Bonus","type":"desecrated"},{"id":"desecrated.stat_1303248024","text":"#% increased Magnitude of Ailments you inflict","type":"desecrated"},{"id":"desecrated.stat_791928121","text":"Causes #% increased Stun Buildup","type":"desecrated"},{"id":"desecrated.stat_1200678966","text":"#% increased bonuses gained from Equipped Quiver","type":"desecrated"},{"id":"desecrated.stat_2704905000","text":"Notable Passive Skills in Radius also grant #% increased Critical Hit Chance for Spells","type":"desecrated"},{"id":"desecrated.stat_3174700878","text":"#% increased Energy Shield from Equipped Focus","type":"desecrated"},{"id":"desecrated.stat_472520716","text":"#% of Damage taken Recouped as Mana","type":"desecrated"},{"id":"desecrated.stat_2527686725","text":"#% increased Magnitude of Shock you inflict","type":"desecrated"},{"id":"desecrated.stat_3793155082","text":"#% increased number of Rare Monsters","type":"desecrated"},{"id":"desecrated.stat_3891355829|2","text":"Upgrades Radius to Large","type":"desecrated"},{"id":"desecrated.stat_2604619892","text":"#% increased Duration of Elemental Ailments on Enemies","type":"desecrated"},{"id":"desecrated.stat_232701452","text":"#% increased Freeze Buildup if you've consumed an Power Charge Recently","type":"desecrated"},{"id":"desecrated.stat_2825946427","text":"Projectiles deal #% increased Damage with Hits against Enemies further than 6m","type":"desecrated"},{"id":"desecrated.stat_1022759479","text":"Notable Passive Skills in Radius also grant #% increased Cast Speed","type":"desecrated"},{"id":"desecrated.stat_1250712710","text":"Allies in your Presence have #% increased Critical Hit Chance","type":"desecrated"},{"id":"desecrated.stat_656461285","text":"#% increased Intelligence","type":"desecrated"},{"id":"desecrated.stat_1545858329","text":"# to Level of all Lightning Spell Skills","type":"desecrated"},{"id":"desecrated.stat_2387539034","text":"Attacks with this Weapon Penetrate #% Lightning Resistance","type":"desecrated"},{"id":"desecrated.stat_2077117738","text":"Notable Passive Skills in Radius also grant #% increased Critical Hit Chance","type":"desecrated"},{"id":"desecrated.stat_1914226331","text":"#% increased Cast Speed while on Full Mana","type":"desecrated"},{"id":"desecrated.stat_4270096386","text":"Hits have #% increased Critical Hit Chance against you","type":"desecrated"},{"id":"desecrated.stat_1998951374","text":"Allies in your Presence have #% increased Attack Speed","type":"desecrated"},{"id":"desecrated.stat_770672621","text":"Minions have #% increased maximum Life","type":"desecrated"},{"id":"desecrated.stat_1078309513","text":"Invocated Spells deal #% increased Damage","type":"desecrated"},{"id":"desecrated.stat_4236566306","text":"Meta Skills gain #% increased Energy","type":"desecrated"},{"id":"desecrated.stat_916833363","text":"#% increased Magnitude of Ignite if you've consumed an Endurance Charge Recently","type":"desecrated"},{"id":"desecrated.stat_3040571529","text":"#% increased Deflection Rating","type":"desecrated"},{"id":"desecrated.stat_3057012405","text":"Allies in your Presence have #% increased Critical Damage Bonus","type":"desecrated"},{"id":"desecrated.stat_1569101201","text":"Empowered Attacks deal #% increased Damage","type":"desecrated"},{"id":"desecrated.stat_414821772","text":"Increases and Reductions to Projectile Speed also apply to Damage with Bows","type":"desecrated"},{"id":"desecrated.stat_1967040409","text":"Spell Skills have #% increased Area of Effect","type":"desecrated"},{"id":"desecrated.stat_2468595624","text":"Projectiles deal #% increased Damage with Hits against Enemies within 2m","type":"desecrated"},{"id":"desecrated.stat_538241406","text":"Damaging Ailments deal damage #% faster","type":"desecrated"},{"id":"desecrated.stat_821021828","text":"Grants # Life per Enemy Hit","type":"desecrated"},{"id":"desecrated.stat_2466785537","text":"Notable Passive Skills in Radius also grant #% increased Critical Spell Damage Bonus","type":"desecrated"},{"id":"desecrated.stat_983749596","text":"#% increased maximum Life","type":"desecrated"},{"id":"desecrated.stat_2854751904","text":"Allies in your Presence deal # to # added Attack Lightning Damage","type":"desecrated"},{"id":"desecrated.stat_1978899297","text":"#% to all Maximum Elemental Resistances","type":"desecrated"},{"id":"desecrated.stat_3490187949","text":"Area contains # additional Abysses","type":"desecrated"},{"id":"desecrated.stat_3222402650","text":"Small Passive Skills in Radius also grant #% increased Elemental Damage","type":"desecrated"},{"id":"desecrated.stat_289128254","text":"Allies in your Presence have #% increased Cast Speed","type":"desecrated"},{"id":"desecrated.stat_1702195217","text":"#% to Block chance","type":"desecrated"},{"id":"desecrated.stat_314741699","text":"#% increased Attack Speed while a Rare or Unique Enemy is in your Presence","type":"desecrated"},{"id":"desecrated.stat_599320227","text":"#% chance for Trigger skills to refund half of Energy Spent","type":"desecrated"},{"id":"desecrated.stat_3350279336","text":"#% increased Cost Efficiency of Attacks","type":"desecrated"},{"id":"desecrated.stat_809229260","text":"# to Armour","type":"desecrated"},{"id":"desecrated.stat_1740229525","text":"Attacks with this Weapon Penetrate #% Cold Resistance","type":"desecrated"},{"id":"desecrated.stat_986397080","text":"#% reduced Ignite Duration on you","type":"desecrated"},{"id":"desecrated.stat_924253255","text":"#% increased Slowing Potency of Debuffs on You","type":"desecrated"},{"id":"desecrated.stat_2442527254","text":"Small Passive Skills in Radius also grant #% increased Cold Damage","type":"desecrated"},{"id":"desecrated.stat_1600707273","text":"# to Level of all Physical Spell Skills","type":"desecrated"},{"id":"desecrated.stat_3131442032","text":"#% increased Grenade Damage","type":"desecrated"},{"id":"desecrated.stat_3398283493","text":"Attacks with this Weapon Penetrate #% Fire Resistance","type":"desecrated"},{"id":"desecrated.stat_491450213","text":"Minions have #% increased Critical Hit Chance","type":"desecrated"},{"id":"desecrated.stat_1365232741","text":"#% increased Grenade Duration","type":"desecrated"},{"id":"desecrated.stat_2112395885","text":"#% increased amount of Life Leeched","type":"desecrated"},{"id":"desecrated.stat_1692879867","text":"#% increased Duration of Bleeding on You","type":"desecrated"},{"id":"desecrated.stat_3544800472","text":"#% increased Elemental Ailment Threshold","type":"desecrated"},{"id":"desecrated.stat_2968503605","text":"#% increased Flammability Magnitude","type":"desecrated"},{"id":"desecrated.stat_1839076647","text":"#% increased Projectile Damage","type":"desecrated"},{"id":"desecrated.stat_4139681126","text":"#% increased Dexterity","type":"desecrated"},{"id":"desecrated.stat_3091578504","text":"Minions have #% increased Attack and Cast Speed","type":"desecrated"},{"id":"desecrated.stat_2896115339","text":"#% of Elemental Damage taken Recouped as Energy Shield","type":"desecrated"},{"id":"desecrated.stat_849987426","text":"Allies in your Presence deal # to # added Attack Fire Damage","type":"desecrated"},{"id":"desecrated.stat_2843214518","text":"#% increased Attack Damage","type":"desecrated"},{"id":"desecrated.stat_4097212302","text":"# to maximum number of Elemental Infusions","type":"desecrated"},{"id":"desecrated.stat_2748665614","text":"#% increased maximum Mana","type":"desecrated"},{"id":"desecrated.stat_440490623","text":"#% increased Magnitude of Damaging Ailments you inflict with Critical Hits","type":"desecrated"},{"id":"desecrated.stat_3873704640","text":"#% increased number of Magic Monsters","type":"desecrated"},{"id":"desecrated.stat_3873704640","text":"#% increased Magic Monsters","type":"desecrated"},{"id":"desecrated.stat_280731498","text":"#% increased Area of Effect","type":"desecrated"},{"id":"desecrated.stat_3301100256","text":"#% increased Poison Duration on you","type":"desecrated"},{"id":"desecrated.stat_2839066308","text":"#% increased amount of Mana Leeched","type":"desecrated"},{"id":"desecrated.stat_44972811","text":"#% increased Life Regeneration rate","type":"desecrated"},{"id":"desecrated.stat_3676141501","text":"#% to Maximum Cold Resistance","type":"desecrated"},{"id":"desecrated.stat_4234573345","text":"#% increased Effect of Notable Passive Skills in Radius","type":"desecrated"},{"id":"desecrated.stat_1874553720","text":"#% reduced Chill Duration on you","type":"desecrated"},{"id":"desecrated.stat_299996","text":"#% increased Attack Speed while your Companion is in your Presence","type":"desecrated"},{"id":"desecrated.stat_3850614073","text":"Allies in your Presence have #% to all Elemental Resistances","type":"desecrated"},{"id":"desecrated.stat_2160282525","text":"#% reduced Freeze Duration on you","type":"desecrated"},{"id":"desecrated.stat_795138349","text":"#% chance to Poison on Hit","type":"desecrated"},{"id":"desecrated.stat_3292710273","text":"Gain # Rage when Hit by an Enemy","type":"desecrated"},{"id":"desecrated.stat_2440073079","text":"#% increased Damage while Shapeshifted","type":"desecrated"},{"id":"desecrated.stat_2254480358","text":"# to Level of all Cold Spell Skills","type":"desecrated"},{"id":"desecrated.stat_2347036682","text":"Allies in your Presence deal # to # added Attack Cold Damage","type":"desecrated"},{"id":"desecrated.stat_3482326075","text":"Remnants can be collected from #% further away","type":"desecrated"},{"id":"desecrated.stat_3824372849","text":"#% increased Curse Duration","type":"desecrated"},{"id":"desecrated.stat_1060572482","text":"#% increased Effect of Small Passive Skills in Radius","type":"desecrated"},{"id":"desecrated.stat_1011760251","text":"#% to Maximum Lightning Resistance","type":"desecrated"},{"id":"desecrated.stat_1697191405","text":"#% increased Reservation Efficiency of Herald Skills","type":"desecrated"},{"id":"desecrated.stat_1574590649","text":"Allies in your Presence deal # to # added Attack Physical Damage","type":"desecrated"},{"id":"desecrated.stat_734614379","text":"#% increased Strength","type":"desecrated"},{"id":"desecrated.stat_2103650854","text":"#% increased effect of Arcane Surge on you","type":"desecrated"},{"id":"desecrated.stat_4095671657","text":"#% to Maximum Fire Resistance","type":"desecrated"},{"id":"desecrated.stat_99927264","text":"#% reduced Shock duration on you","type":"desecrated"},{"id":"desecrated.stat_4283407333","text":"# to Level of all Skills","type":"desecrated"},{"id":"desecrated.stat_1327522346","text":"#% increased Mana Regeneration Rate while moving","type":"desecrated"},{"id":"desecrated.stat_2463230181","text":"#% Surpassing chance to fire an additional Arrow","type":"desecrated"},{"id":"desecrated.stat_1518586897","text":"#% increased Cast Speed for each different Non-Instant Spell you've Cast Recently","type":"desecrated"},{"id":"desecrated.stat_1238227257","text":"Debuffs on you expire #% faster","type":"desecrated"},{"id":"desecrated.stat_3759735052","text":"#% increased Attack Speed with Bows","type":"desecrated"},{"id":"desecrated.stat_1829102168","text":"#% increased Duration of Damaging Ailments on Enemies","type":"desecrated"},{"id":"desecrated.stat_263495202","text":"#% increased Cost Efficiency","type":"desecrated"},{"id":"desecrated.stat_2481353198","text":"#% increased Block chance (Local)","type":"desecrated"},{"id":"desecrated.stat_1389754388","text":"#% increased Charm Effect Duration","type":"desecrated"},{"id":"desecrated.stat_2822644689","text":"Notable Passive Skills in Radius also grant #% increased Attack Speed","type":"desecrated"},{"id":"desecrated.stat_2726713579","text":"Notable Passive Skills in Radius also grant Recover #% of maximum Life on Kill","type":"desecrated"},{"id":"desecrated.stat_1854213750","text":"Minions have #% increased Critical Damage Bonus","type":"desecrated"},{"id":"desecrated.stat_918325986","text":"#% increased Skill Speed while Shapeshifted","type":"desecrated"},{"id":"desecrated.stat_2749595652","text":"#% chance for Skills to retain 40% of Glory on use","type":"desecrated"},{"id":"desecrated.stat_4226189338","text":"# to Level of all Chaos Spell Skills","type":"desecrated"},{"id":"desecrated.stat_243380454","text":"# additional Rare Monsters are spawned from Abysses","type":"desecrated"},{"id":"desecrated.stat_2741291867","text":"Area is overrun by the Abyssal","type":"desecrated"},{"id":"desecrated.stat_4256531808","text":"Abyss Pits in Area are twice as likely to have Rewards","type":"desecrated"},{"id":"desecrated.stat_1045789614","text":"#% increased Critical Hit Chance against Marked Enemies","type":"desecrated"},{"id":"desecrated.stat_4188894176","text":"#% increased Damage with Bows","type":"desecrated"},{"id":"desecrated.stat_2518900926","text":"#% increased Damage with Plant Skills","type":"desecrated"},{"id":"desecrated.stat_1896066427","text":"Small Passive Skills in Radius also grant Damage Penetrates #% Cold Resistance","type":"desecrated"},{"id":"desecrated.stat_1168851547","text":"Natural Rare Monsters in Area have # extra Abyssal Modifier","type":"desecrated"},{"id":"desecrated.stat_3256879910","text":"Small Passive Skills in Radius also grant #% increased Mana Regeneration Rate","type":"desecrated"},{"id":"desecrated.stat_3407849389","text":"#% reduced effect of Curses on you","type":"desecrated"},{"id":"desecrated.stat_310945763","text":"#% increased Life Cost Efficiency","type":"desecrated"},{"id":"desecrated.stat_473917671","text":"Small Passive Skills in Radius also grant Triggered Spells deal #% increased Spell Damage","type":"desecrated"},{"id":"desecrated.stat_591105508","text":"# to Level of all Fire Spell Skills","type":"desecrated"},{"id":"desecrated.stat_360553763","text":"Abyssal Monsters have increased Difficulty and Reward for each closed Pit","type":"desecrated"},{"id":"desecrated.stat_1374654984","text":"#% of Physical Damage prevented Recouped as Life","type":"desecrated"},{"id":"desecrated.stat_3859848445","text":"Notable Passive Skills in Radius also grant #% increased Area of Effect of Curses","type":"desecrated"},{"id":"desecrated.stat_748522257","text":"#% increased Stun Duration","type":"desecrated"},{"id":"desecrated.stat_2543331226","text":"#% increased Damage while you have a Totem","type":"desecrated"},{"id":"desecrated.stat_3655769732","text":"#% to Quality of all Skills","type":"desecrated"},{"id":"desecrated.stat_2353576063","text":"#% increased Curse Magnitudes","type":"desecrated"},{"id":"desecrated.stat_446027070","text":"#% chance to Gain Arcane Surge when you deal a Critical Hit","type":"desecrated"},{"id":"desecrated.stat_3791899485","text":"#% increased Ignite Magnitude","type":"desecrated"},{"id":"desecrated.stat_3668351662","text":"#% increased Shock Duration","type":"desecrated"},{"id":"desecrated.stat_3146310524","text":"Dazes on Hit","type":"desecrated"},{"id":"desecrated.stat_3563080185","text":"#% increased Culling Strike Threshold","type":"desecrated"},{"id":"desecrated.stat_3480095574","text":"Charms applied to you have #% increased Effect","type":"desecrated"},{"id":"desecrated.stat_3972229254","text":"#% of Armour also applies to Chaos Damage","type":"desecrated"},{"id":"desecrated.stat_1781372024","text":"Recover #% of maximum Life on Killing a Poisoned Enemy","type":"desecrated"},{"id":"desecrated.stat_3394832998","text":"Notable Passive Skills in Radius also grant #% faster start of Energy Shield Recharge","type":"desecrated"},{"id":"desecrated.stat_2363593824","text":"#% increased speed of Recoup Effects","type":"desecrated"},{"id":"desecrated.stat_1423639565","text":"Minions have #% to all Elemental Resistances","type":"desecrated"},{"id":"desecrated.stat_1104825894","text":"#% faster Curse Activation","type":"desecrated"},{"id":"desecrated.stat_455816363","text":"Small Passive Skills in Radius also grant #% increased Projectile Damage","type":"desecrated"},{"id":"desecrated.stat_4010677958","text":"Allies in your Presence Regenerate # Life per second","type":"desecrated"},{"id":"desecrated.stat_3488475284","text":"Notable Passive Skills in Radius also grant #% increased Global Defences","type":"desecrated"},{"id":"desecrated.stat_4081947835","text":"Projectiles have #% chance to Chain an additional time from terrain","type":"desecrated"},{"id":"desecrated.stat_525523040","text":"Notable Passive Skills in Radius also grant Recover #% of maximum Mana on Kill","type":"desecrated"},{"id":"desecrated.stat_3391917254","text":"Notable Passive Skills in Radius also grant #% increased Area of Effect","type":"desecrated"},{"id":"desecrated.stat_2589572664","text":"Notable Passive Skills in Radius also grant #% increased maximum Mana","type":"desecrated"},{"id":"desecrated.stat_3780644166","text":"#% increased Freeze Threshold","type":"desecrated"},{"id":"desecrated.stat_311641062","text":"#% chance for Flasks you use to not consume Charges","type":"desecrated"},{"id":"desecrated.stat_3485067555","text":"#% increased Chill Duration on Enemies","type":"desecrated"},{"id":"desecrated.stat_944630113","text":"Abysses spawn #% increased Monsters","type":"desecrated"},{"id":"desecrated.stat_944630113","text":"Abysses in your Maps spawn #% increased Monsters","type":"desecrated"},{"id":"desecrated.stat_2849546516","text":"Notable Passive Skills in Radius also grant Meta Skills gain #% increased Energy","type":"desecrated"},{"id":"desecrated.stat_1309799717","text":"Small Passive Skills in Radius also grant #% increased Chaos Damage","type":"desecrated"},{"id":"desecrated.stat_2881298780","text":"# to # Physical Thorns damage","type":"desecrated"},{"id":"desecrated.stat_2768899959","text":"Small Passive Skills in Radius also grant #% increased Lightning Damage","type":"desecrated"},{"id":"desecrated.stat_1286199571","text":"Break Armour on Critical Hit with Spells equal to #% of Physical Damage dealt","type":"desecrated"},{"id":"desecrated.stat_3419203492","text":"Notable Passive Skills in Radius also grant #% increased Energy Shield from Equipped Focus","type":"desecrated"},{"id":"desecrated.stat_680068163","text":"#% increased Stun Threshold","type":"desecrated"},{"id":"desecrated.stat_51994685","text":"#% increased Flask Life Recovery rate","type":"desecrated"},{"id":"desecrated.stat_239367161","text":"#% increased Stun Buildup","type":"desecrated"},{"id":"desecrated.stat_1836676211","text":"#% increased Flask Charges gained","type":"desecrated"},{"id":"desecrated.stat_945774314","text":"Small Passive Skills in Radius also grant #% increased Damage with Bows","type":"desecrated"},{"id":"desecrated.stat_538981065","text":"Grenades have #% chance to activate a second time","type":"desecrated"},{"id":"desecrated.stat_3927679277","text":"#% chance when collecting an Elemental Infusion to gain an\nadditional Elemental Infusion of the same type","type":"desecrated"},{"id":"desecrated.stat_3711973554","text":"Invocated Spells have #% chance to consume half as much Energy","type":"desecrated"},{"id":"desecrated.stat_818778753","text":"Damage Penetrates #% Lightning Resistance","type":"desecrated"},{"id":"desecrated.stat_1552666713","text":"Small Passive Skills in Radius also grant #% increased Energy Shield Recharge Rate","type":"desecrated"},{"id":"desecrated.stat_2797971005","text":"Gain # Life per Enemy Hit with Attacks","type":"desecrated"},{"id":"desecrated.stat_2272980012","text":"Notable Passive Skills in Radius also grant #% increased Duration of Damaging Ailments on Enemies","type":"desecrated"},{"id":"desecrated.stat_3641543553","text":"Notable Passive Skills in Radius also grant #% increased Attack Speed with Bows","type":"desecrated"},{"id":"desecrated.stat_4092130601","text":"Notable Passive Skills in Radius also grant #% increased Magnitude of Damaging Ailments you inflict with Critical Hits","type":"desecrated"},{"id":"desecrated.stat_4032352472","text":"Notable Passive Skills in Radius also grant #% increased Presence Area of Effect","type":"desecrated"},{"id":"desecrated.stat_1426522529","text":"Small Passive Skills in Radius also grant #% increased Attack Damage","type":"desecrated"},{"id":"desecrated.stat_2544540062","text":"Skills which create Fissures have a #% chance to create an additional Fissure","type":"desecrated"},{"id":"desecrated.stat_1827854662","text":"Area contains an additional Incubator Queen","type":"desecrated"},{"id":"desecrated.stat_4258524206","text":"#% chance to build an additional Combo on Hit","type":"desecrated"},{"id":"desecrated.stat_3579898587","text":"Notable Passive Skills in Radius also grant #% increased Skill Speed while Shapeshifted","type":"desecrated"},{"id":"desecrated.stat_1852872083","text":"#% increased Damage with Hits against Rare and Unique Enemies","type":"desecrated"},{"id":"desecrated.stat_2705185939","text":"#% chance to Aggravate Bleeding on targets you Hit with Attacks","type":"desecrated"},{"id":"desecrated.stat_1352561456","text":"Notable Passive Skills in Radius also grant #% increased Critical Damage Bonus for Attack Damage","type":"desecrated"},{"id":"desecrated.stat_3396435291","text":"#% increased Mana Cost Efficiency if you have Dodge Rolled Recently","type":"desecrated"},{"id":"desecrated.stat_3481083201","text":"#% increased chance to Poison","type":"desecrated"},{"id":"desecrated.stat_3868118796","text":"Attacks Chain an additional time","type":"desecrated"},{"id":"desecrated.stat_3669820740","text":"Notable Passive Skills in Radius also grant #% of Damage taken Recouped as Life","type":"desecrated"},{"id":"desecrated.stat_4121454694","text":"Recover #% of maximum Mana when a Charm is used","type":"desecrated"},{"id":"desecrated.stat_1321104829","text":"Notable Passive Skills in Radius also grant #% increased Magnitude of Ailments you inflict","type":"desecrated"},{"id":"desecrated.stat_1823942939","text":"# to maximum number of Summoned Ballista Totems","type":"desecrated"},{"id":"desecrated.stat_2954360902","text":"Small Passive Skills in Radius also grant Minions deal #% increased Damage","type":"desecrated"},{"id":"desecrated.stat_2474424958","text":"Spell Skills have # to maximum number of Summoned Totems","type":"desecrated"},{"id":"desecrated.stat_3865605585","text":"Notable Passive Skills in Radius also grant #% increased Critical Hit Chance for Attacks","type":"desecrated"},{"id":"desecrated.stat_710476746","text":"#% increased Reload Speed","type":"desecrated"},{"id":"desecrated.stat_212649958","text":"Enemies Hindered by you take #% increased Elemental Damage","type":"desecrated"},{"id":"desecrated.stat_2301718443","text":"#% increased Damage against Enemies with Fully Broken Armour","type":"desecrated"},{"id":"desecrated.stat_462424929","text":"Notable Passive Skills in Radius also grant #% increased Magnitude of Poison you inflict","type":"desecrated"},{"id":"desecrated.stat_1840985759","text":"#% increased Area of Effect for Attacks","type":"desecrated"},{"id":"desecrated.stat_1434716233","text":"Warcries Empower an additional Attack","type":"desecrated"},{"id":"desecrated.stat_3413635271","text":"#% increased Reservation Efficiency of Companion Skills","type":"desecrated"},{"id":"desecrated.stat_1776411443","text":"Break #% increased Armour","type":"desecrated"},{"id":"desecrated.stat_2013356568","text":"Melee Attack Skills have # to maximum number of Summoned Totems","type":"desecrated"},{"id":"desecrated.stat_3313255158","text":"#% increased Skill Speed if you've consumed a Frenzy Charge Recently","type":"desecrated"},{"id":"desecrated.stat_1949851472","text":"#% chance when a Charm is used to use another Charm without consuming Charges","type":"desecrated"},{"id":"desecrated.stat_4136346606","text":"#% increased Spell Damage while wielding a Melee Weapon","type":"desecrated"},{"id":"desecrated.stat_4159248054","text":"#% increased Warcry Cooldown Recovery Rate","type":"desecrated"},{"id":"desecrated.stat_1412217137","text":"#% increased Flask Mana Recovery rate","type":"desecrated"},{"id":"desecrated.stat_242637938","text":"#% increased chance to inflict Bleeding","type":"desecrated"},{"id":"desecrated.stat_2278777540","text":"Abysses lead to an Abyssal Depths","type":"desecrated"},{"id":"desecrated.stat_501873429","text":"#% chance for Charms you use to not consume Charges","type":"desecrated"},{"id":"desecrated.stat_3741323227","text":"#% increased Flask Effect Duration","type":"desecrated"},{"id":"desecrated.stat_1994296038","text":"Small Passive Skills in Radius also grant #% increased Evasion Rating","type":"desecrated"},{"id":"desecrated.stat_2760344900","text":"#% chance when you Reload a Crossbow to be immediate","type":"desecrated"},{"id":"desecrated.stat_1658498488","text":"Corrupted Blood cannot be inflicted on you","type":"desecrated"},{"id":"desecrated.stat_943702197","text":"Minions gain #% of their maximum Life as Extra maximum Energy Shield","type":"desecrated"},{"id":"desecrated.stat_3274422940","text":"#% increased Ice Crystal Life","type":"desecrated"},{"id":"desecrated.stat_693237939","text":"Small Passive Skills in Radius also grant Gain additional Ailment Threshold equal to #% of maximum Energy Shield","type":"desecrated"},{"id":"desecrated.stat_3552135623","text":"Prevent #% of Damage from Deflected Hits","type":"desecrated"},{"id":"desecrated.stat_2885317882","text":"Natural Monster Packs in Area are in a Union of Souls","type":"desecrated"},{"id":"desecrated.stat_436406826","text":"Players are Marked for Death for # seconds\nafter killing a Rare or Unique monster","type":"desecrated"},{"id":"desecrated.stat_1653682082","text":"Small Passive Skills in Radius also grant Gain additional Stun Threshold equal to #% of maximum Energy Shield","type":"desecrated"},{"id":"desecrated.stat_1388221282","text":"Abyss Cracks have #% chance to spawn all Monsters as at least Magic","type":"desecrated"},{"id":"desecrated.stat_1388221282","text":"Abyss Cracks in your Maps have #% chance to spawn all Monsters as at least Magic","type":"desecrated"},{"id":"desecrated.stat_266564538","text":"Small Passive Skills in Radius also grant #% increased Damage while Shapeshifted","type":"desecrated"},{"id":"desecrated.stat_3161573445","text":"Regenerate #% of maximum Life per Second if you've used a Life Flask in the past 10 seconds","type":"desecrated"},{"id":"desecrated.stat_593241812","text":"Notable Passive Skills in Radius also grant Minions have #% increased Critical Damage Bonus","type":"desecrated"},{"id":"desecrated.stat_4157613372","text":"Abyss Pits have #% chance to spawn all Monsters as at least Magic","type":"desecrated"},{"id":"desecrated.stat_4157613372","text":"Abyss Pits in your Maps have #% chance to spawn all Monsters as at least Magic","type":"desecrated"},{"id":"desecrated.stat_1039268420","text":"Small Passive Skills in Radius also grant #% increased chance to Shock","type":"desecrated"},{"id":"desecrated.stat_1135928777","text":"#% increased Attack Speed with Crossbows","type":"desecrated"},{"id":"desecrated.stat_412709880","text":"Notable Passive Skills in Radius also grant #% increased chance to inflict Ailments","type":"desecrated"},{"id":"desecrated.stat_3113764475","text":"Notable Passive Skills in Radius also grant #% increased Skill Effect Duration","type":"desecrated"},{"id":"desecrated.stat_1746561819","text":"Enemies Hindered by you take #% increased Chaos Damage","type":"desecrated"},{"id":"desecrated.stat_315791320","text":"Aura Skills have #% increased Magnitudes","type":"desecrated"},{"id":"desecrated.stat_21071013","text":"Herald Skills deal #% increased Damage","type":"desecrated"},{"id":"desecrated.stat_2456523742","text":"#% increased Critical Damage Bonus with Spears","type":"desecrated"},{"id":"desecrated.stat_2487305362","text":"#% increased Magnitude of Poison you inflict","type":"desecrated"},{"id":"desecrated.stat_3308030688","text":"#% increased Mana Regeneration Rate while stationary","type":"desecrated"},{"id":"desecrated.stat_330530785","text":"#% increased Immobilisation buildup","type":"desecrated"},{"id":"desecrated.stat_3628935286","text":"Notable Passive Skills in Radius also grant Minions have #% increased Critical Hit Chance","type":"desecrated"},{"id":"desecrated.stat_752930724","text":"Equipment and Skill Gems have #% increased Attribute Requirements","type":"desecrated"},{"id":"desecrated.stat_1165163804","text":"#% increased Attack Speed with Spears","type":"desecrated"},{"id":"desecrated.stat_185580205","text":"Charms gain # charges per Second","type":"desecrated"},{"id":"desecrated.stat_427684353","text":"#% increased Damage with Crossbows","type":"desecrated"},{"id":"desecrated.stat_514290151","text":"Gain #% of Maximum Mana as Armour","type":"desecrated"},{"id":"desecrated.stat_1261076060","text":"#% increased Life Regeneration rate during Effect of any Life Flask","type":"desecrated"},{"id":"desecrated.stat_3106718406","text":"Notable Passive Skills in Radius also grant Minions have #% increased Attack and Cast Speed","type":"desecrated"},{"id":"desecrated.stat_3585532255","text":"#% increased Charm Charges gained","type":"desecrated"},{"id":"desecrated.stat_2715190555","text":"#% to Thorns Critical Hit Chance","type":"desecrated"},{"id":"desecrated.stat_300723956","text":"Attack Hits apply Incision","type":"desecrated"},{"id":"desecrated.stat_1166140625","text":"Notable Passive Skills in Radius also grant #% increased Magnitude of Shock you inflict","type":"desecrated"},{"id":"desecrated.stat_2975078312","text":"Abyssal Monsters grant #% increased Experience","type":"desecrated"},{"id":"desecrated.stat_2975078312","text":"Abyss Monsters in your Maps grant #% increased Experience","type":"desecrated"},{"id":"desecrated.stat_394473632","text":"Small Passive Skills in Radius also grant #% increased Flammability Magnitude","type":"desecrated"},{"id":"desecrated.stat_2696027455","text":"#% increased Damage with Spears","type":"desecrated"},{"id":"desecrated.stat_656291658","text":"#% increased Cast Speed when on Full Life","type":"desecrated"},{"id":"desecrated.stat_1087531620","text":"Notable Passive Skills in Radius also grant #% increased Freeze Buildup","type":"desecrated"},{"id":"desecrated.stat_2639966148","text":"Minions Revive #% faster","type":"desecrated"},{"id":"desecrated.stat_624954515","text":"#% increased Accuracy Rating","type":"desecrated"},{"id":"desecrated.stat_147764878","text":"Small Passive Skills in Radius also grant #% increased Damage with Hits against Rare and Unique Enemies","type":"desecrated"},{"id":"desecrated.stat_1777421941","text":"Notable Passive Skills in Radius also grant #% increased Projectile Speed","type":"desecrated"},{"id":"desecrated.stat_1310194496","text":"#% increased Global Physical Damage","type":"desecrated"},{"id":"desecrated.stat_1590846356","text":"Small Passive Skills in Radius also grant #% increased Damage with Plant Skills","type":"desecrated"},{"id":"desecrated.stat_1087108135","text":"Small Passive Skills in Radius also grant #% increased Curse Duration","type":"desecrated"},{"id":"desecrated.stat_318953428","text":"#% chance to Blind Enemies on Hit with Attacks","type":"desecrated"},{"id":"desecrated.stat_359357545","text":"Enemies Hindered by you take #% increased Physical Damage","type":"desecrated"},{"id":"desecrated.stat_258119672","text":"# metre to Dodge Roll distance","type":"desecrated"},{"id":"desecrated.stat_3771516363","text":"#% additional Physical Damage Reduction","type":"desecrated"},{"id":"desecrated.stat_3700202631","text":"Small Passive Skills in Radius also grant #% increased amount of Mana Leeched","type":"desecrated"},{"id":"desecrated.stat_2840989393","text":"Small Passive Skills in Radius also grant #% chance to Poison on Hit","type":"desecrated"},{"id":"desecrated.stat_1103616075","text":"Break Armour equal to #% of Physical Damage dealt","type":"desecrated"},{"id":"desecrated.stat_3787460122","text":"Offerings have #% increased Maximum Life","type":"desecrated"},{"id":"desecrated.stat_868556494","text":"Small Passive Skills in Radius also grant Damage Penetrates #% Lightning Resistance","type":"desecrated"},{"id":"desecrated.stat_3851254963","text":"#% increased Totem Damage","type":"desecrated"},{"id":"desecrated.stat_1751584857","text":"Monsters inflict # Grasping Vine on Hit","type":"desecrated"},{"id":"desecrated.stat_3950000557","text":"#% chance for Mace Slam Skills you use yourself to cause an additional Aftershock","type":"desecrated"},{"id":"desecrated.stat_715957346","text":"Notable Passive Skills in Radius also grant #% increased Attack Speed with Crossbows","type":"desecrated"},{"id":"desecrated.stat_1102738251","text":"Life Flasks gain # charges per Second","type":"desecrated"},{"id":"desecrated.stat_3028809864","text":"#% increased Melee Damage if you've dealt a Projectile Attack Hit in the past eight seconds","type":"desecrated"},{"id":"desecrated.stat_1793740180","text":"Gain Physical Thorns damage equal to #% of Item Armour on Equipped Body Armour","type":"desecrated"},{"id":"desecrated.stat_3513818125","text":"Small Passive Skills in Radius also grant #% increased Shock Duration","type":"desecrated"},{"id":"desecrated.stat_138421180","text":"Notable Passive Skills in Radius also grant #% increased Critical Damage Bonus with Spears","type":"desecrated"},{"id":"desecrated.stat_3409275777","text":"Small Passive Skills in Radius also grant #% increased Elemental Ailment Threshold","type":"desecrated"},{"id":"desecrated.stat_517664839","text":"Small Passive Skills in Radius also grant #% increased Damage with Crossbows","type":"desecrated"},{"id":"desecrated.stat_3666476747","text":"Small Passive Skills in Radius also grant #% increased amount of Life Leeched","type":"desecrated"},{"id":"desecrated.stat_3119612865","text":"Minions have #% additional Physical Damage Reduction","type":"desecrated"},{"id":"desecrated.stat_160888068","text":"Notable Passive Skills in Radius also grant #% increased maximum Life","type":"desecrated"},{"id":"desecrated.stat_2479683456","text":"Minions Regenerate #% of maximum Life per second","type":"desecrated"},{"id":"desecrated.stat_3143918757","text":"#% increased Glory generation","type":"desecrated"},{"id":"desecrated.stat_1266413530","text":"Notable Passive Skills in Radius also grant #% increased Attack Speed with Spears","type":"desecrated"},{"id":"desecrated.stat_821241191","text":"#% increased Life Recovery from Flasks","type":"desecrated"},{"id":"desecrated.stat_1185341308","text":"Notable Passive Skills in Radius also grant #% increased Life Regeneration rate","type":"desecrated"},{"id":"desecrated.stat_3374165039","text":"#% increased Totem Placement speed","type":"desecrated"},{"id":"desecrated.stat_1119086588","text":"Conquered Attribute Passive Skills also grant # to Tribute","type":"desecrated"},{"id":"desecrated.stat_2083058281","text":"Enemies you Mark take #% increased Damage","type":"desecrated"},{"id":"desecrated.stat_1443457598","text":"Natural Rare Monsters in Area are in a Union of Souls with the Map Boss","type":"desecrated"},{"id":"desecrated.stat_2200293569","text":"Mana Flasks gain # charges per Second","type":"desecrated"},{"id":"desecrated.stat_2594634307","text":"Mark Skills have #% increased Skill Effect Duration","type":"desecrated"},{"id":"desecrated.stat_3283482523","text":"#% increased Attack Speed with Quarterstaves","type":"desecrated"},{"id":"desecrated.stat_221701169","text":"Notable Passive Skills in Radius also grant #% increased Poison Duration","type":"desecrated"},{"id":"desecrated.stat_1805182458","text":"Companions have #% increased maximum Life","type":"desecrated"},{"id":"desecrated.stat_1315743832","text":"#% increased Thorns damage","type":"desecrated"},{"id":"desecrated.stat_1062710370","text":"#% increased Duration of Ignite, Shock and Chill on Enemies","type":"desecrated"},{"id":"desecrated.stat_2116424886","text":"#% increased Life Regeneration Rate while moving","type":"desecrated"},{"id":"desecrated.stat_3065378291","text":"Small Passive Skills in Radius also grant Herald Skills deal #% increased Damage","type":"desecrated"},{"id":"desecrated.stat_4045894391","text":"#% increased Damage with Quarterstaves","type":"desecrated"},{"id":"desecrated.stat_1494950893","text":"Small Passive Skills in Radius also grant Companions deal #% increased Damage","type":"desecrated"},{"id":"desecrated.stat_3973629633","text":"#% increased Withered Magnitude","type":"desecrated"},{"id":"desecrated.stat_3192728503","text":"#% increased Crossbow Reload Speed","type":"desecrated"},{"id":"desecrated.stat_1570770415","text":"#% reduced Charm Charges used","type":"desecrated"},{"id":"desecrated.stat_2118708619","text":"#% increased Damage if you have Consumed a Corpse Recently","type":"desecrated"},{"id":"desecrated.stat_1417267954","text":"Small Passive Skills in Radius also grant #% increased Global Physical Damage","type":"desecrated"},{"id":"desecrated.stat_3225608889","text":"Small Passive Skills in Radius also grant Minions have #% to all Elemental Resistances","type":"desecrated"},{"id":"desecrated.stat_3191479793","text":"Offering Skills have #% increased Buff effect","type":"desecrated"},{"id":"desecrated.stat_4033618138","text":"Recover #% of Maximum Life when you expend at least 10 Combo","type":"desecrated"},{"id":"desecrated.stat_2011656677","text":"#% increased Poison Duration","type":"desecrated"},{"id":"desecrated.stat_644456512","text":"#% reduced Flask Charges used","type":"desecrated"},{"id":"desecrated.stat_2610562860","text":"Small Passive Skills in Radius also grant #% chance to Blind Enemies on Hit with Attacks","type":"desecrated"},{"id":"desecrated.stat_4173554949","text":"Notable Passive Skills in Radius also grant #% increased Stun Buildup","type":"desecrated"},{"id":"desecrated.stat_1405298142","text":"#% increased Stun Threshold if you haven't been Stunned Recently","type":"desecrated"},{"id":"desecrated.stat_627767961","text":"#% increased Damage while you have an active Charm","type":"desecrated"},{"id":"desecrated.stat_2991045011","text":"Recover #% of Maximum Mana when you expend at least 10 Combo","type":"desecrated"},{"id":"desecrated.stat_2590797182","text":"#% increased Movement Speed Penalty from using Skills while moving","type":"desecrated"},{"id":"desecrated.stat_2222186378","text":"#% increased Mana Recovery from Flasks","type":"desecrated"},{"id":"desecrated.stat_2552484522","text":"Conquered Attribute Passive Skills also grant # to all Attributes","type":"desecrated"},{"id":"desecrated.stat_830345042","text":"Small Passive Skills in Radius also grant #% increased Freeze Threshold","type":"desecrated"},{"id":"desecrated.stat_1323216174","text":"Notable Passive Skills in Radius also grant #% increased Duration of Ignite, Shock and Chill on Enemies","type":"desecrated"},{"id":"desecrated.stat_2256120736","text":"Notable Passive Skills in Radius also grant Debuffs on you expire #% faster","type":"desecrated"},{"id":"desecrated.stat_253641217","text":"Notable Passive Skills in Radius also grant #% increased Ignite Magnitude","type":"desecrated"},{"id":"desecrated.stat_61644361","text":"Notable Passive Skills in Radius also grant #% increased Chill Duration on Enemies","type":"desecrated"},{"id":"desecrated.stat_3116427713","text":"Conquered Attribute Passive Skills also grant # to Intelligence","type":"desecrated"},{"id":"desecrated.stat_533892981","text":"Small Passive Skills in Radius also grant #% increased Accuracy Rating","type":"desecrated"},{"id":"desecrated.stat_2131720304","text":"Notable Passive Skills in Radius also grant Gain # Rage when Hit by an Enemy","type":"desecrated"},{"id":"desecrated.stat_3839676903","text":"#% reduced Slowing Potency of Debuffs on You if you've used a Charm Recently","type":"desecrated"},{"id":"desecrated.stat_169946467","text":"#% increased Accuracy Rating with Bows","type":"desecrated"},{"id":"desecrated.stat_1691403182","text":"Minions have #% increased Cooldown Recovery Rate","type":"desecrated"},{"id":"desecrated.stat_980177976","text":"Small Passive Skills in Radius also grant #% increased Life Recovery from Flasks","type":"desecrated"},{"id":"desecrated.stat_3871530702","text":"Conquered Attribute Passive Skills also grant # to Strength","type":"desecrated"},{"id":"desecrated.stat_3473929743","text":"#% increased Pin Buildup","type":"desecrated"},{"id":"desecrated.stat_1002362373","text":"#% increased Melee Damage","type":"desecrated"},{"id":"desecrated.stat_3003542304","text":"Projectiles have #% chance for an additional Projectile when Forking","type":"desecrated"},{"id":"desecrated.stat_1714971114","text":"Mark Skills have #% increased Use Speed","type":"desecrated"},{"id":"desecrated.stat_1697447343","text":"#% increased Freeze Buildup with Quarterstaves","type":"desecrated"},{"id":"desecrated.stat_3858398337","text":"Small Passive Skills in Radius also grant #% increased Armour","type":"desecrated"},{"id":"desecrated.stat_2969557004","text":"Notable Passive Skills in Radius also grant Gain # Rage on Melee Hit","type":"desecrated"},{"id":"desecrated.stat_287294012","text":"# to # Fire Thorns damage per 100 maximum Life","type":"desecrated"},{"id":"desecrated.stat_1337740333","text":"Small Passive Skills in Radius also grant #% increased Melee Damage","type":"desecrated"},{"id":"desecrated.stat_4162678661","text":"Small Passive Skills in Radius also grant Mark Skills have #% increased Skill Effect Duration","type":"desecrated"},{"id":"desecrated.stat_139889694","text":"Small Passive Skills in Radius also grant #% increased Fire Damage","type":"desecrated"},{"id":"desecrated.stat_2809428780","text":"Small Passive Skills in Radius also grant #% increased Damage with Spears","type":"desecrated"},{"id":"desecrated.stat_844449513","text":"Notable Passive Skills in Radius also grant #% increased Movement Speed","type":"desecrated"},{"id":"desecrated.stat_2250681686","text":"Grenade Skills have +# Cooldown Use","type":"desecrated"},{"id":"desecrated.stat_4258000627","text":"Small Passive Skills in Radius also grant Dazes on Hit","type":"desecrated"},{"id":"desecrated.stat_1365079333","text":"Players steal the Eaten Souls of Slain Rare Monsters in Area","type":"desecrated"},{"id":"desecrated.stat_4180952808","text":"Notable Passive Skills in Radius also grant #% increased bonuses gained from Equipped Quiver","type":"desecrated"},{"id":"desecrated.stat_1266185101","text":"Natural Rare Monsters in Area Eat the Souls of slain Monsters in their Presence","type":"desecrated"},{"id":"desecrated.stat_3088348485","text":"Small Passive Skills in Radius also grant #% increased Charm Effect Duration","type":"desecrated"},{"id":"desecrated.stat_3856744003","text":"Notable Passive Skills in Radius also grant #% increased Crossbow Reload Speed","type":"desecrated"},{"id":"desecrated.stat_3166958180","text":"#% increased Magnitude of Bleeding you inflict","type":"desecrated"},{"id":"desecrated.stat_2202308025","text":"Small Passive Skills in Radius also grant Mark Skills have #% increased Use Speed","type":"desecrated"},{"id":"desecrated.stat_111835965","text":"Notable Passive Skills in Radius also grant #% increased Attack Speed with Quarterstaves","type":"desecrated"},{"id":"desecrated.stat_1316278494","text":"#% increased Warcry Speed","type":"desecrated"},{"id":"desecrated.stat_3038857426","text":"Conquered Small Passive Skills also grant #% increased Spell damage","type":"desecrated"},{"id":"desecrated.stat_1944020877","text":"Notable Passive Skills in Radius also grant #% increased Pin Buildup","type":"desecrated"},{"id":"desecrated.stat_2653955271","text":"Damage Penetrates #% Fire Resistance","type":"desecrated"},{"id":"desecrated.stat_484792219","text":"Small Passive Skills in Radius also grant #% increased Stun Threshold","type":"desecrated"},{"id":"desecrated.stat_2709646369","text":"Notable Passive Skills in Radius also grant #% of Damage is taken from Mana before Life","type":"desecrated"},{"id":"desecrated.stat_2056107438","text":"Notable Passive Skills in Radius also grant #% increased Warcry Cooldown Recovery Rate","type":"desecrated"},{"id":"desecrated.stat_4240116297","text":"Conquered Small Passive Skills also grant #% increased Elemental Damage","type":"desecrated"},{"id":"desecrated.stat_569299859","text":"#% to all maximum Resistances","type":"desecrated"},{"id":"desecrated.stat_1967051901","text":"Loads an additional bolt","type":"desecrated"},{"id":"desecrated.stat_3190283174","text":"Area has patches of Mana Siphoning Ground","type":"desecrated"},{"id":"desecrated.stat_85367160","text":"Notable Passive Skills in Radius also grant #% of Damage taken Recouped as Mana","type":"desecrated"},{"id":"desecrated.stat_2957407601","text":"Offering Skills have #% increased Duration","type":"desecrated"},{"id":"desecrated.stat_2770044702","text":"Notable Passive Skills in Radius also grant #% increased Curse Magnitudes","type":"desecrated"},{"id":"desecrated.stat_2408625104","text":"Players and their Minions deal no damage for 3 out of every 10 seconds","type":"desecrated"},{"id":"desecrated.stat_1602294220","text":"Small Passive Skills in Radius also grant #% increased Warcry Speed","type":"desecrated"},{"id":"desecrated.stat_4274247770","text":"Players have #% more Movement and Skill Speed for each time they've used a Skill Recently","type":"desecrated"},{"id":"desecrated.stat_1697951953","text":"#% increased Hazard Damage","type":"desecrated"},{"id":"desecrated.stat_3821543413","text":"Notable Passive Skills in Radius also grant #% increased Block chance","type":"desecrated"},{"id":"desecrated.stat_4257790560","text":"Notable Passive Skills in Radius also grant #% increased Mana Cost Efficiency","type":"desecrated"},{"id":"desecrated.stat_2399592398","text":"Abysses lead to an Abyssal Boss","type":"desecrated"},{"id":"desecrated.stat_4258720395","text":"Notable Passive Skills in Radius also grant Projectiles have #% chance for an additional Projectile when Forking","type":"desecrated"},{"id":"desecrated.stat_1773308808","text":"Small Passive Skills in Radius also grant #% increased Flask Effect Duration","type":"desecrated"},{"id":"desecrated.stat_3173882956","text":"Notable Passive Skills in Radius also grant Damaging Ailments deal damage #% faster","type":"desecrated"},{"id":"desecrated.stat_3885405204","text":"Bow Attacks fire # additional Arrows","type":"desecrated"},{"id":"desecrated.stat_872504239","text":"#% increased Stun Buildup with Maces","type":"desecrated"},{"id":"desecrated.stat_3837707023","text":"Minions have #% to Chaos Resistance","type":"desecrated"},{"id":"desecrated.stat_3596695232","text":"#% increased Projectile Damage if you've dealt a Melee Hit in the past eight seconds","type":"desecrated"},{"id":"desecrated.stat_654207792","text":"Small Passive Skills in Radius also grant #% increased Stun Threshold if you haven't been Stunned Recently","type":"desecrated"},{"id":"desecrated.stat_2320654813","text":"Notable Passive Skills in Radius also grant #% increased Charm Charges gained","type":"desecrated"},{"id":"desecrated.stat_3774951878","text":"Small Passive Skills in Radius also grant #% increased Mana Recovery from Flasks","type":"desecrated"},{"id":"desecrated.stat_713216632","text":"Notable Passive Skills in Radius also grant #% increased Defences from Equipped Shield","type":"desecrated"},{"id":"desecrated.stat_3566150527","text":"Notable Passive Skills in Radius also grant Regenerate #% of maximum Life per second","type":"desecrated"},{"id":"desecrated.stat_2135541924","text":"Notable Passive Skills in Radius also grant Hits have #% increased Critical Hit Chance against you","type":"desecrated"},{"id":"desecrated.stat_821948283","text":"Small Passive Skills in Radius also grant #% increased Damage with Quarterstaves","type":"desecrated"},{"id":"desecrated.stat_2392824305","text":"Notable Passive Skills in Radius also grant #% increased Stun Buildup with Maces","type":"desecrated"},{"id":"desecrated.stat_127081978","text":"Notable Passive Skills in Radius also grant #% increased Freeze Buildup with Quarterstaves","type":"desecrated"},{"id":"desecrated.stat_2580617872","text":"Notable Passive Skills in Radius also grant #% increased Slowing Potency of Debuffs on You","type":"desecrated"},{"id":"desecrated.stat_2780670304","text":"Conquered Small Passive Skills also grant #% increased Energy Shield","type":"desecrated"},{"id":"desecrated.stat_1285594161","text":"Small Passive Skills in Radius also grant #% increased Accuracy Rating with Bows","type":"desecrated"},{"id":"desecrated.stat_1432756708","text":"Small Passive Skills in Radius also grant Damage Penetrates #% Fire Resistance","type":"desecrated"},{"id":"desecrated.stat_3395186672","text":"Small Passive Skills in Radius also grant Empowered Attacks deal #% increased Damage","type":"desecrated"},{"id":"desecrated.stat_3752589831","text":"Small Passive Skills in Radius also grant #% increased Damage while you have an active Charm","type":"desecrated"},{"id":"desecrated.stat_2334956771","text":"Notable Passive Skills in Radius also grant Projectiles have #% chance to Chain an additional time from terrain","type":"desecrated"},{"id":"desecrated.stat_2066964205","text":"Notable Passive Skills in Radius also grant #% increased Flask Charges gained","type":"desecrated"},{"id":"desecrated.stat_1594812856","text":"#% increased Damage with Warcries","type":"desecrated"},{"id":"desecrated.stat_2107703111","text":"Small Passive Skills in Radius also grant Offerings have #% increased Maximum Life","type":"desecrated"},{"id":"desecrated.stat_2907381231","text":"Notable Passive Skills in Radius also grant #% increased Glory generation for Banner Skills","type":"desecrated"},{"id":"desecrated.stat_8816597","text":"Conquered Small Passive Skills also grant #% increased Attack damage","type":"desecrated"},{"id":"desecrated.stat_145497481","text":"#% increased Defences from Equipped Shield","type":"desecrated"},{"id":"desecrated.stat_1829333149","text":"Conquered Small Passive Skills also grant #% increased Physical damage","type":"desecrated"},{"id":"desecrated.stat_1800303440","text":"Notable Passive Skills in Radius also grant #% chance to Pierce an Enemy","type":"desecrated"},{"id":"desecrated.stat_1689748350","text":"Hits with Shield Skills which Heavy Stun enemies break fully Break Armour","type":"desecrated"},{"id":"desecrated.stat_3936121440","text":"Notable Passive Skills in Radius also grant #% increased Withered Magnitude","type":"desecrated"},{"id":"desecrated.stat_1145481685","text":"Small Passive Skills in Radius also grant #% increased Totem Placement speed","type":"desecrated"},{"id":"desecrated.stat_1869147066","text":"#% increased Glory generation for Banner Skills","type":"desecrated"},{"id":"desecrated.stat_1852184471","text":"Small Passive Skills in Radius also grant #% increased Damage with Maces","type":"desecrated"},{"id":"desecrated.stat_2108821127","text":"Small Passive Skills in Radius also grant #% increased Totem Damage","type":"desecrated"},{"id":"desecrated.stat_4147897060","text":"#% increased Block chance","type":"desecrated"},{"id":"desecrated.stat_1834658952","text":"Small Passive Skills in Radius also grant #% increased Damage against Enemies with Fully Broken Armour","type":"desecrated"},{"id":"desecrated.stat_4089835882","text":"Small Passive Skills in Radius also grant Break #% increased Armour","type":"desecrated"},{"id":"desecrated.stat_1181419800","text":"#% increased Damage with Maces","type":"desecrated"},{"id":"desecrated.stat_288364275","text":"Small Passive Skills in Radius also grant #% increased Projectile Damage if you've dealt a Melee Hit in the past eight seconds","type":"desecrated"},{"id":"desecrated.stat_2421151933","text":"Small Passive Skills in Radius also grant #% increased Melee Damage if you've dealt a Projectile Attack Hit in the past eight seconds","type":"desecrated"},{"id":"desecrated.stat_1034611536","text":"Notable Passive Skills in Radius also grant Charms gain # charges per Second","type":"desecrated"},{"id":"desecrated.stat_255840549","text":"Small Passive Skills in Radius also grant #% increased Hazard Damage","type":"desecrated"},{"id":"desecrated.stat_2720982137","text":"Banner Skills have #% increased Duration","type":"desecrated"},{"id":"desecrated.stat_1938221597","text":"Conquered Attribute Passive Skills also grant # to Dexterity","type":"desecrated"},{"id":"desecrated.stat_391602279","text":"Notable Passive Skills in Radius also grant #% increased Magnitude of Bleeding you inflict","type":"desecrated"},{"id":"desecrated.stat_2601021356","text":"Conquered Small Passive Skills also grant #% increased Chaos damage","type":"desecrated"},{"id":"desecrated.stat_1892122971","text":"Small Passive Skills in Radius also grant #% increased Damage if you have Consumed a Corpse Recently","type":"desecrated"},{"id":"desecrated.stat_2976476845","text":"Notable Passive Skills in Radius also grant #% increased Knockback Distance","type":"desecrated"},{"id":"desecrated.stat_2638756573","text":"Small Passive Skills in Radius also grant Companions have #% increased maximum Life","type":"desecrated"},{"id":"desecrated.stat_944643028","text":"Small Passive Skills in Radius also grant #% chance to inflict Bleeding on Hit","type":"desecrated"},{"id":"desecrated.stat_3343033032","text":"Conquered Small Passive Skills also grant Minions deal #% increased damage","type":"desecrated"},{"id":"desecrated.stat_565784293","text":"#% increased Knockback Distance","type":"desecrated"},{"id":"desecrated.stat_4264952559","text":"Conquered Small Passive Skills also grant #% increased Life Regeneration rate","type":"desecrated"},{"id":"desecrated.stat_1160637284","text":"Small Passive Skills in Radius also grant #% increased Damage with Warcries","type":"desecrated"},{"id":"desecrated.stat_3694078435","text":"You take #% of damage from Blocked Hits with a raised Shield","type":"desecrated"},{"id":"desecrated.stat_2690740379","text":"Small Passive Skills in Radius also grant Banner Skills have #% increased Duration","type":"desecrated"},{"id":"desecrated.stat_321970274","text":"#% of Physical Damage taken as Lightning while your Shield is raised","type":"desecrated"},{"id":"desecrated.stat_2374711847","text":"Notable Passive Skills in Radius also grant Offering Skills have #% increased Duration","type":"desecrated"},{"id":"desecrated.stat_1148433552","text":"Notable Passive Skills in Radius also grant Life Flasks gain # charges per Second","type":"desecrated"},{"id":"desecrated.stat_712554801","text":"#% increased Effect of your Mark Skills","type":"desecrated"},{"id":"desecrated.stat_1569159338","text":"#% increased Parry Damage","type":"desecrated"},{"id":"desecrated.stat_504915064","text":"Notable Passive Skills in Radius also grant #% increased Armour Break Duration","type":"desecrated"},{"id":"desecrated.stat_4043376133","text":"#% increased Magnitude of Abyssal Wasting you inflict","type":"desecrated"},{"id":"desecrated.stat_2637470878","text":"#% increased Armour Break Duration","type":"desecrated"},{"id":"desecrated.stat_1505023559","text":"Notable Passive Skills in Radius also grant #% increased Bleeding Duration","type":"desecrated"},{"id":"desecrated.stat_3855016469","text":"Hits against you have #% reduced Critical Damage Bonus","type":"desecrated"},{"id":"desecrated.stat_886088880","text":"Your Heavy Stun buildup empties #% faster","type":"desecrated"},{"id":"desecrated.stat_3037553757","text":"#% increased Warcry Buff Effect","type":"desecrated"},{"id":"desecrated.stat_3939216292","text":"Notable Passive Skills in Radius also grant Mana Flasks gain # charges per Second","type":"desecrated"},{"id":"desecrated.stat_4009879772","text":"#% increased Life Flask Charges gained","type":"desecrated"},{"id":"desecrated.stat_1818915622","text":"Conquered Small Passive Skills also grant #% increased Mana Regeneration rate","type":"desecrated"},{"id":"desecrated.stat_30438393","text":"Small Passive Skills in Radius also grant Minions have #% additional Physical Damage Reduction","type":"desecrated"},{"id":"desecrated.stat_3590792340","text":"#% increased Mana Flask Charges gained","type":"desecrated"},{"id":"desecrated.stat_3386297724","text":"Notable Passive Skills in Radius also grant #% of Skill Mana Costs Converted to Life Costs","type":"desecrated"},{"id":"desecrated.stat_1301765461","text":"#% to Maximum Chaos Resistance","type":"desecrated"},{"id":"desecrated.stat_480796730","text":"#% to maximum Block chance","type":"desecrated"},{"id":"desecrated.stat_2149603090","text":"Notable Passive Skills in Radius also grant #% increased Cooldown Recovery Rate","type":"desecrated"},{"id":"desecrated.stat_1756380435","text":"Small Passive Skills in Radius also grant Minions have #% to Chaos Resistance","type":"desecrated"},{"id":"desecrated.stat_1846980580","text":"Notable Passive Skills in Radius also grant # to Maximum Rage","type":"desecrated"},{"id":"desecrated.stat_686254215","text":"#% increased Totem Life","type":"desecrated"},{"id":"desecrated.stat_179541474","text":"Notable Passive Skills in Radius also grant #% increased Effect of your Mark Skills","type":"desecrated"},{"id":"desecrated.stat_1585769763","text":"#% increased Blind Effect","type":"desecrated"},{"id":"desecrated.stat_3401186585","text":"#% increased Parried Debuff Duration","type":"desecrated"},{"id":"desecrated.stat_1283490138","text":"Conquered Small Passive Skills also grant #% increased Elemental Ailment Threshold","type":"desecrated"},{"id":"desecrated.stat_1459321413","text":"#% increased Bleeding Duration","type":"desecrated"},{"id":"desecrated.stat_378796798","text":"Small Passive Skills in Radius also grant Minions have #% increased maximum Life","type":"desecrated"},{"id":"desecrated.stat_442393998","text":"Small Passive Skills in Radius also grant #% increased Totem Life","type":"desecrated"},{"id":"desecrated.stat_942519401","text":"Notable Passive Skills in Radius also grant #% increased Life Flask Charges gained","type":"desecrated"},{"id":"desecrated.stat_970480050","text":"Conquered Small Passive Skills also grant #% increased Armour","type":"desecrated"},{"id":"desecrated.stat_2912416697","text":"Notable Passive Skills in Radius also grant #% increased Blind Effect","type":"desecrated"},{"id":"desecrated.stat_2122183138","text":"# Mana gained when you Block","type":"desecrated"},{"id":"desecrated.stat_468694293","text":"Conquered Small Passive Skills also grant #% increased Evasion Rating","type":"desecrated"},{"id":"desecrated.stat_818877178","text":"#% increased Parried Debuff Magnitude","type":"desecrated"},{"id":"desecrated.stat_4142814612","text":"Small Passive Skills in Radius also grant Banner Skills have #% increased Area of Effect","type":"desecrated"},{"id":"desecrated.stat_3171212276","text":"Notable Passive Skills in Radius also grant #% increased Mana Flask Charges gained","type":"desecrated"},{"id":"desecrated.stat_1911237468","text":"#% increased Stun Threshold while Parrying","type":"desecrated"},{"id":"desecrated.stat_429143663","text":"Banner Skills have #% increased Area of Effect","type":"desecrated"},{"id":"desecrated.stat_1181501418","text":"# to Maximum Rage","type":"desecrated"},{"id":"desecrated.stat_2475870935","text":"Conquered Small Passive Skills also grant #% increased Stun Threshold","type":"desecrated"},{"id":"desecrated.stat_1007380041","text":"Small Passive Skills in Radius also grant #% increased Parry Damage","type":"desecrated"},{"id":"desecrated.stat_318092306","text":"Small Passive Skills in Radius also grant Attack Hits apply Incision","type":"desecrated"},{"id":"desecrated.stat_1079292660","text":"#% increased Energy Shield Recharge Rate if you've Blocked Recently","type":"desecrated"},{"id":"desecrated.stat_1320662475","text":"Small Passive Skills in Radius also grant #% increased Thorns damage","type":"desecrated"},{"id":"desecrated.stat_1495814176","text":"Notable Passive Skills in Radius also grant #% increased Stun Threshold while Parrying","type":"desecrated"},{"id":"desecrated.stat_2549889921","text":"Players gain #% reduced Flask Charges","type":"desecrated"},{"id":"desecrated.stat_1994551050","text":"Monsters have #% increased Ailment Threshold","type":"desecrated"},{"id":"desecrated.stat_4101943684","text":"Monsters have #% increased Stun Threshold","type":"desecrated"},{"id":"desecrated.stat_337935900","text":"Monsters take #% reduced Extra Damage from Critical Hits","type":"desecrated"},{"id":"desecrated.stat_941368244","text":"Players have #% more Cooldown Recovery Rate","type":"desecrated"},{"id":"desecrated.stat_2534359663","text":"Notable Passive Skills in Radius also grant Minions have #% increased Area of Effect","type":"desecrated"},{"id":"desecrated.stat_1054098949","text":"+#% Monster Elemental Resistances","type":"desecrated"},{"id":"desecrated.stat_92381065","text":"Monsters deal #% of Damage as Extra Fire","type":"desecrated"},{"id":"desecrated.stat_4181072906","text":"Players have #% less Recovery Rate of Life and Energy Shield","type":"desecrated"},{"id":"desecrated.stat_211727","text":"Monsters deal #% of Damage as Extra Cold","type":"desecrated"},{"id":"desecrated.stat_1514844108","text":"Notable Passive Skills in Radius also grant #% increased Parried Debuff Duration","type":"desecrated"},{"id":"desecrated.stat_3998863698","text":"Monsters have #% increased Freeze Buildup","type":"desecrated"},{"id":"desecrated.stat_554690751","text":"Players are periodically Cursed with Elemental Weakness","type":"desecrated"},{"id":"desecrated.stat_349586058","text":"Area has patches of Chilled Ground","type":"desecrated"},{"id":"desecrated.stat_3909654181","text":"Monsters have #% increased Attack, Cast and Movement Speed","type":"desecrated"},{"id":"desecrated.stat_1984618452","text":"Monsters have #% increased Shock Chance","type":"desecrated"},{"id":"desecrated.stat_2508044078","text":"Monsters inflict #% increased Flammability Magnitude","type":"desecrated"},{"id":"desecrated.stat_3811191316","text":"Minions have #% increased Area of Effect","type":"desecrated"},{"id":"desecrated.stat_3592067990","text":"Area contains # additional packs of Plagued Monsters","type":"desecrated"},{"id":"desecrated.stat_3477720557","text":"Area has patches of Shocked Ground","type":"desecrated"},{"id":"desecrated.stat_512071314","text":"Monsters deal #% of Damage as Extra Lightning","type":"desecrated"},{"id":"desecrated.stat_1879340377","text":"Monsters Break Armour equal to #% of Physical Damage dealt","type":"desecrated"},{"id":"desecrated.stat_2029171424","text":"Players are periodically Cursed with Enfeeble","type":"desecrated"},{"id":"desecrated.stat_2887760183","text":"Monsters gain #% of maximum Life as Extra maximum Energy Shield","type":"desecrated"},{"id":"desecrated.stat_57326096","text":"#% to Monster Critical Damage Bonus","type":"desecrated"},{"id":"desecrated.stat_2753083623","text":"Monsters have #% increased Critical Hit Chance","type":"desecrated"},{"id":"desecrated.stat_95249895","text":"#% more Monster Life","type":"desecrated"},{"id":"desecrated.stat_1898978455","text":"Monster Damage Penetrates #% Elemental Resistances","type":"desecrated"},{"id":"desecrated.stat_1890519597","text":"#% increased Monster Damage","type":"desecrated"},{"id":"desecrated.stat_1588049749","text":"Monsters have #% increased Accuracy Rating","type":"desecrated"},{"id":"desecrated.stat_2200661314","text":"Monsters deal #% of Damage as Extra Chaos","type":"desecrated"},{"id":"desecrated.stat_2550456553","text":"Rare Monsters have # additional Modifier","type":"desecrated"},{"id":"desecrated.stat_2550456553","text":"Rare Monsters in your Maps have # additional Modifier","type":"desecrated"},{"id":"desecrated.stat_3376488707","text":"#% maximum Player Resistances","type":"desecrated"},{"id":"desecrated.stat_2506820610","text":"Monsters have #% chance to inflict Bleeding on Hit","type":"desecrated"},{"id":"desecrated.stat_95221307","text":"Monsters have #% chance to Poison on Hit","type":"desecrated"},{"id":"desecrated.stat_115425161","text":"Monsters have #% increased Stun Buildup","type":"desecrated"},{"id":"desecrated.stat_1629357380","text":"Players are periodically Cursed with Temporal Chains","type":"desecrated"},{"id":"desecrated.stat_2539290279","text":"Monsters are Armoured","type":"desecrated"},{"id":"desecrated.stat_3796523155","text":"#% less effect of Curses on Monsters","type":"desecrated"},{"id":"desecrated.stat_3222482040","text":"Monsters have #% chance to steal Power, Frenzy and Endurance charges on Hit","type":"desecrated"},{"id":"desecrated.stat_3757259819","text":"Area contains # additional packs of Beasts","type":"desecrated"},{"id":"desecrated.stat_1309819744","text":"Monsters fire # additional Projectiles","type":"desecrated"},{"id":"desecrated.stat_2570249991","text":"Monsters are Evasive","type":"desecrated"},{"id":"desecrated.stat_1436812886","text":"Area contains # additional packs of Ezomyte Monsters","type":"desecrated"},{"id":"desecrated.stat_133340941","text":"Area has patches of Ignited Ground","type":"desecrated"},{"id":"desecrated.stat_3309089125","text":"Area contains # additional packs of Bramble Monsters","type":"desecrated"},{"id":"desecrated.stat_1689473577","text":"Area contains # additional packs of Transcended Monsters","type":"desecrated"},{"id":"desecrated.stat_4181857719","text":"Area contains # additional packs of Vaal Monsters","type":"desecrated"},{"id":"desecrated.stat_2949706590","text":"Area contains # additional packs of Iron Guards","type":"desecrated"},{"id":"desecrated.stat_1913583994","text":"#% increased Monster Attack Speed","type":"desecrated"},{"id":"desecrated.stat_2306522833","text":"#% increased Monster Movement Speed","type":"desecrated"},{"id":"desecrated.stat_240445958","text":"Area contains # additional packs of Undead","type":"desecrated"},{"id":"desecrated.stat_4130878258","text":"Area contains # additional packs of Faridun Monsters","type":"desecrated"},{"id":"desecrated.stat_2488361432","text":"#% increased Monster Cast Speed","type":"desecrated"},{"id":"desecrated.stat_3200877707","text":"Skills have a #% chance to not consume Glory","type":"desecrated"}]},{"id":"sanctum","label":"Sanctum","entries":[{"id":"sanctum.stat_767926824","text":"Zarokh, the Temporal drops Blessed Bonds","type":"sanctum"},{"id":"sanctum.stat_3840591093","text":"Zarokh, the Temporal drops Against the Darkness","type":"sanctum"},{"id":"sanctum.stat_2878762585","text":"#% chance to Avoid Resolve loss from Enemy Hits","type":"sanctum"},{"id":"sanctum.stat_4057192895","text":"Gain # Sacred Water when you complete a Room","type":"sanctum"},{"id":"sanctum.stat_3376488707","text":"#% to all Maximum Resistances","type":"sanctum"},{"id":"sanctum.stat_1307773596","text":"Aureus Coins are converted to Experience upon defeating the Herald of the Scourge","type":"sanctum"},{"id":"sanctum.stat_315260783","text":"Aureus Coins are converted to Relics upon defeating the Herald of the Scourge","type":"sanctum"},{"id":"sanctum.stat_1019656601","text":"Aureus Coins are converted to Tainted Currency upon defeating the Herald of the Scourge","type":"sanctum"},{"id":"sanctum.stat_2149490821","text":"Zarokh, the Temporal deals #% more Damage","type":"sanctum"},{"id":"sanctum.stat_2226900052","text":"Zarokh, the Temporal takes #% more Damage","type":"sanctum"},{"id":"sanctum.stat_1175354969","text":"The Herald of the Scourge drops an additional Invocation","type":"sanctum"},{"id":"sanctum.stat_3878191575","text":"Zarokh, the Temporal drops an additional Barya","type":"sanctum"},{"id":"sanctum.stat_502549687","text":"Duplicates up to # random Offer Reward upon defeating the Herald of the Scourge","type":"sanctum"},{"id":"sanctum.stat_3909654181","text":"Monsters have #% increased Attack, Cast and Movement Speed","type":"sanctum"},{"id":"sanctum.stat_3114474137","text":"Monsters take #% increased Damage","type":"sanctum"},{"id":"sanctum.stat_1890519597","text":"Monsters deal #% increased Damage","type":"sanctum"},{"id":"sanctum.stat_1737465970","text":"#% increased Armour","type":"sanctum"},{"id":"sanctum.stat_3470883829","text":"#% additional Physical Damage Reduction","type":"sanctum"},{"id":"sanctum.stat_2948404493","text":"Hits against you have #% reduced Critical Damage Bonus","type":"sanctum"},{"id":"sanctum.stat_978111083","text":"#% increased Slowing Potency of Debuffs on You","type":"sanctum"},{"id":"sanctum.stat_3439681381","text":"#% increased Defences","type":"sanctum"},{"id":"sanctum.stat_579203476","text":"Your Defences are zero","type":"sanctum"},{"id":"sanctum.stat_1040593638","text":"# metre to Dodge Roll distance","type":"sanctum"},{"id":"sanctum.stat_1707887759","text":"#% increased maximum Energy Shield","type":"sanctum"},{"id":"sanctum.stat_3882471944","text":"#% increased Evasion Rating","type":"sanctum"},{"id":"sanctum.stat_1200789871","text":"#% increased maximum Life","type":"sanctum"},{"id":"sanctum.stat_1416455556","text":"#% increased Movement Speed","type":"sanctum"},{"id":"sanctum.stat_3128852541","text":"#% to All Resistances","type":"sanctum"},{"id":"sanctum.stat_3134588943","text":"#% increased chance to avoid Honour loss from Enemy Melee Hits","type":"sanctum"},{"id":"sanctum.stat_1798691236","text":"#% increased chance to Avoid Resolve Loss from Enemy Projectile Hits","type":"sanctum"},{"id":"sanctum.stat_2284543592","text":"#% chance to Avoid Resolve loss from Enemy Hits if you've been Hit recently","type":"sanctum"},{"id":"sanctum.stat_3226329527","text":"Bosses take #% increased Damage","type":"sanctum"},{"id":"sanctum.stat_2469854926","text":"Zarokh, the Temporal drops Temporalis","type":"sanctum"},{"id":"sanctum.stat_2821715641","text":"Zarokh, the Temporal drops Sekhema's Resolve","type":"sanctum"},{"id":"sanctum.stat_3059754769","text":"Zarokh, the Temporal drops Sandstorm Visage","type":"sanctum"},{"id":"sanctum.stat_2207905451","text":"Bosses deal #% increased Damage","type":"sanctum"},{"id":"sanctum.stat_408585189","text":"Rare Monsters take #% increased Damage","type":"sanctum"},{"id":"sanctum.stat_199414195","text":"Rare Monsters deal #% increased Damage","type":"sanctum"},{"id":"sanctum.stat_729354668","text":"#% increased quantity of Keys dropped by Monsters","type":"sanctum"},{"id":"sanctum.stat_1680962389","text":"#% increased quantity of Relics dropped by Monsters","type":"sanctum"},{"id":"sanctum.stat_1388771661","text":"#% increased Resolve Aegis","type":"sanctum"},{"id":"sanctum.stat_3889616543","text":"Resolve Aegis Recovers #% faster while not losing Resolve","type":"sanctum"},{"id":"sanctum.stat_3621177126","text":"Resolve Mitigation from Enemy Hits is based on #% of Armour","type":"sanctum"},{"id":"sanctum.stat_774484840","text":"#% chance for Resolve Mitigation to be doubled when Hit by an Enemy","type":"sanctum"},{"id":"sanctum.stat_3554921410","text":"Traps deal #% increased Damage","type":"sanctum"},{"id":"sanctum.stat_3170238729","text":"When you gain a Key #% chance to gain another","type":"sanctum"},{"id":"sanctum.stat_3096543632","text":"#% to Maximum Honour Resistance","type":"sanctum"},{"id":"sanctum.stat_1960517795","text":"#% chance to Avoid gaining an Affliction","type":"sanctum"},{"id":"sanctum.stat_2545161750","text":"Cannot restore Honour","type":"sanctum"},{"id":"sanctum.stat_3870327403","text":"#% chance if you were to lose all your Honour to have 1 Honour instead","type":"sanctum"},{"id":"sanctum.stat_2155917449","text":"#% chance for each of your Keys to upgrade on completing a Floor","type":"sanctum"},{"id":"sanctum.stat_2410906123","text":"# Resolve Aegis","type":"sanctum"},{"id":"sanctum.stat_142859883","text":"#% Resolve Mitigation from Enemy Hits","type":"sanctum"},{"id":"sanctum.stat_2363402715","text":"Fountains have #% chance to grant double Sacred Water","type":"sanctum"},{"id":"sanctum.stat_3237367570","text":"Rooms are unknown on the Trial Map","type":"sanctum"},{"id":"sanctum.stat_2287831219","text":"#% to Honour Resistance","type":"sanctum"},{"id":"sanctum.stat_1583320325","text":"#% increased Honour restored","type":"sanctum"},{"id":"sanctum.stat_2150725270","text":"Damage taken cannot be Absorbed","type":"sanctum"},{"id":"sanctum.stat_386901949","text":"An additional Room is revealed on the Trial Map","type":"sanctum"},{"id":"sanctum.stat_3970123360","text":"#% increased maximum Honour","type":"sanctum"},{"id":"sanctum.stat_4191312223","text":"Maximum Honour is 1","type":"sanctum"},{"id":"sanctum.stat_290775436","text":"The Merchant has an additional Choice","type":"sanctum"},{"id":"sanctum.stat_3096446459","text":"#% increased Merchant Prices","type":"sanctum"},{"id":"sanctum.stat_231205265","text":"Monsters have #% chance to drop double Sacred Water","type":"sanctum"},{"id":"sanctum.stat_2283325632","text":"Cannot have Boons","type":"sanctum"},{"id":"sanctum.stat_3865020351","text":"Restore # Honour on killing a Boss","type":"sanctum"},{"id":"sanctum.stat_2492340460","text":"Restore # Honour on venerating a Maraketh Shrine","type":"sanctum"},{"id":"sanctum.stat_521869848","text":"Restore # Honour on picking up a Key","type":"sanctum"},{"id":"sanctum.stat_2114314842","text":"Restore # Honour on room completion","type":"sanctum"},{"id":"sanctum.stat_2393318075","text":"Gain # Sacred Water at the start of the Trial","type":"sanctum"},{"id":"sanctum.stat_1512067281","text":"Cannot be used with Trials below level #","type":"sanctum"},{"id":"sanctum.stat_3182333322","text":"This item is destroyed when applied to a Trial","type":"sanctum"},{"id":"sanctum.sanctum_effect_62326","text":"Has Honed Claws","type":"sanctum"},{"id":"sanctum.sanctum_effect_15442","text":"Has Fright Mask","type":"sanctum"},{"id":"sanctum.sanctum_effect_41921","text":"Has Deadly Snare","type":"sanctum"},{"id":"sanctum.sanctum_effect_62584","text":"Has Dark Pit","type":"sanctum"},{"id":"sanctum.sanctum_effect_21680","text":"Has Low Rivers","type":"sanctum"},{"id":"sanctum.sanctum_effect_40008","text":"Has Blunt Sword","type":"sanctum"},{"id":"sanctum.sanctum_effect_56047","text":"Has Rapid Quicksand","type":"sanctum"},{"id":"sanctum.sanctum_effect_16773","text":"Has UNUSED","type":"sanctum"},{"id":"sanctum.sanctum_effect_13820","text":"Has Hare Foot","type":"sanctum"},{"id":"sanctum.sanctum_effect_44476","text":"Has Flooding Rivers","type":"sanctum"},{"id":"sanctum.sanctum_effect_46242","text":"Has Reparations","type":"sanctum"},{"id":"sanctum.sanctum_effect_61003","text":"Has Leaking Waterskin","type":"sanctum"},{"id":"sanctum.sanctum_effect_35767","text":"Has Gate Toll","type":"sanctum"},{"id":"sanctum.sanctum_effect_59642","text":"Has Death Toll","type":"sanctum"},{"id":"sanctum.sanctum_effect_35912","text":"Has Exhausted Wells","type":"sanctum"},{"id":"sanctum.sanctum_effect_13875","text":"Has Spiked Shell","type":"sanctum"},{"id":"sanctum.sanctum_effect_359","text":"Has Hungry Fangs","type":"sanctum"},{"id":"sanctum.sanctum_effect_19039","text":"Has Branded Balbalakh","type":"sanctum"},{"id":"sanctum.sanctum_effect_9350","text":"Has Suspected Sympathiser","type":"sanctum"},{"id":"sanctum.sanctum_effect_4682","text":"Has Honoured Challenger","type":"sanctum"},{"id":"sanctum.sanctum_effect_34448","text":"Has Black Smoke","type":"sanctum"},{"id":"sanctum.sanctum_effect_44243","text":"Has Scrying Crystal","type":"sanctum"},{"id":"sanctum.sanctum_effect_34561","text":"Has Trade Tariff","type":"sanctum"},{"id":"sanctum.sanctum_effect_24536","text":"Has Silver Tongue","type":"sanctum"},{"id":"sanctum.sanctum_effect_44836","text":"Has Imperial Seal","type":"sanctum"},{"id":"sanctum.sanctum_effect_38171","text":"Has Garukhan's Favour","type":"sanctum"},{"id":"sanctum.sanctum_effect_20573","text":"Has Winter Drought","type":"sanctum"},{"id":"sanctum.sanctum_effect_24603","text":"Has Earned Honour","type":"sanctum"},{"id":"sanctum.sanctum_effect_47837","text":"Has Ahkeli's Guard","type":"sanctum"},{"id":"sanctum.sanctum_effect_3157","text":"Has Glowing Orb","type":"sanctum"},{"id":"sanctum.sanctum_effect_43384","text":"Has Veiled Sight","type":"sanctum"},{"id":"sanctum.sanctum_effect_17084","text":"Has Red Smoke","type":"sanctum"},{"id":"sanctum.sanctum_effect_1198","text":"Has Golden Smoke","type":"sanctum"},{"id":"sanctum.sanctum_effect_28906","text":"Has Purple Smoke","type":"sanctum"},{"id":"sanctum.sanctum_effect_32300","text":"Has Ghastly Scythe","type":"sanctum"},{"id":"sanctum.sanctum_effect_44077","text":"Has Orbala's Leathers","type":"sanctum"},{"id":"sanctum.sanctum_effect_34499","text":"Has Sekhema's Cloak","type":"sanctum"},{"id":"sanctum.sanctum_effect_13598","text":"Has Dekhara's Necklace","type":"sanctum"},{"id":"sanctum.sanctum_effect_50613","text":"Has Unassuming Brick","type":"sanctum"},{"id":"sanctum.sanctum_effect_30866","text":"Has Moment's Peace","type":"sanctum"},{"id":"sanctum.sanctum_effect_53929","text":"Has Spiked Exit","type":"sanctum"},{"id":"sanctum.sanctum_effect_48875","text":"Has Tattered Blindfold","type":"sanctum"},{"id":"sanctum.sanctum_effect_38381","text":"Has Unquenched Thirst","type":"sanctum"},{"id":"sanctum.sanctum_effect_5501","text":"Has Dishonoured Tattoo","type":"sanctum"},{"id":"sanctum.sanctum_effect_45401","text":"Has Diverted River","type":"sanctum"},{"id":"sanctum.sanctum_effect_31580","text":"Has Raincaller","type":"sanctum"},{"id":"sanctum.sanctum_effect_14131","text":"Has Deceptive Mirror","type":"sanctum"},{"id":"sanctum.sanctum_effect_34171","text":"Has Haemorrhage","type":"sanctum"},{"id":"sanctum.sanctum_effect_9121","text":"Has All-Seeing Eye","type":"sanctum"},{"id":"sanctum.sanctum_effect_51140","text":"Has Lustrous Pearl","type":"sanctum"},{"id":"sanctum.sanctum_effect_57507","text":"Has Viscous Ichor","type":"sanctum"},{"id":"sanctum.sanctum_effect_46977","text":"Has Wooden Effigy","type":"sanctum"},{"id":"sanctum.sanctum_effect_41741","text":"Has Sanguine Vial","type":"sanctum"},{"id":"sanctum.sanctum_effect_29924","text":"Has Ornate Dagger","type":"sanctum"},{"id":"sanctum.sanctum_effect_6090","text":"Has Assassin's Blade","type":"sanctum"},{"id":"sanctum.sanctum_effect_38167","text":"Has Enchanted Urn","type":"sanctum"},{"id":"sanctum.sanctum_effect_59406","text":"Has Adrenaline Vial","type":"sanctum"},{"id":"sanctum.sanctum_effect_45428","text":"Has Mirror of Fortune","type":"sanctum"},{"id":"sanctum.sanctum_effect_54204","text":"Has Orbala Statuette","type":"sanctum"},{"id":"sanctum.sanctum_effect_28826","text":"Has Holy Water","type":"sanctum"},{"id":"sanctum.sanctum_effect_40142","text":"Has Fountain of Youth","type":"sanctum"},{"id":"sanctum.sanctum_effect_51458","text":"Has Silver Chalice","type":"sanctum"},{"id":"sanctum.sanctum_effect_41498","text":"Has Black Pearl","type":"sanctum"},{"id":"sanctum.sanctum_effect_52622","text":"Has Balbala's Gift","type":"sanctum"},{"id":"sanctum.sanctum_effect_60796","text":"Has Chipped Dice","type":"sanctum"},{"id":"sanctum.sanctum_effect_3716","text":"Has Upward Path","type":"sanctum"},{"id":"sanctum.sanctum_effect_27130","text":"Has Sacred Mirror","type":"sanctum"},{"id":"sanctum.sanctum_effect_30042","text":"Has Crystal Shard","type":"sanctum"},{"id":"sanctum.sanctum_effect_379","text":"Has Lustrous Lacquer","type":"sanctum"},{"id":"sanctum.sanctum_effect_18125","text":"Has Forgotten Traditions","type":"sanctum"},{"id":"sanctum.sanctum_effect_35605","text":"Has Season of Famine","type":"sanctum"},{"id":"sanctum.sanctum_effect_56996","text":"Has Myriad Aspersions","type":"sanctum"},{"id":"sanctum.sanctum_effect_32085","text":"Has Costly Aid","type":"sanctum"},{"id":"sanctum.sanctum_effect_25062","text":"Has Chains of Binding","type":"sanctum"},{"id":"sanctum.sanctum_effect_9853","text":"Has Untouchable","type":"sanctum"},{"id":"sanctum.sanctum_effect_30450","text":"Has Rusted Mallet","type":"sanctum"},{"id":"sanctum.sanctum_effect_24131","text":"Has Weakened Flesh","type":"sanctum"},{"id":"sanctum.sanctum_effect_28313","text":"Has Fiendish Wings","type":"sanctum"},{"id":"sanctum.sanctum_effect_30473","text":"Has Worn Sandals","type":"sanctum"},{"id":"sanctum.sanctum_effect_43834","text":"Has Orb of Negation","type":"sanctum"},{"id":"sanctum.sanctum_effect_55120","text":"Has Tradition's Demand","type":"sanctum"},{"id":"sanctum.sanctum_effect_6958","text":"Has Chiselled Stone","type":"sanctum"},{"id":"sanctum.sanctum_effect_45600","text":"Has Glass Shard","type":"sanctum"},{"id":"sanctum.sanctum_effect_35578","text":"Has Iron Manacles","type":"sanctum"},{"id":"sanctum.sanctum_effect_48487","text":"Has Sharpened Arrowhead","type":"sanctum"},{"id":"sanctum.sanctum_effect_16335","text":"Has Shattered Shield","type":"sanctum"},{"id":"sanctum.sanctum_effect_55502","text":"Has Corrosive Concoction","type":"sanctum"},{"id":"sanctum.sanctum_effect_62382","text":"Has Pledge to the Guileful","type":"sanctum"},{"id":"sanctum.sanctum_effect_27532","text":"Has Pledge to the Powerful","type":"sanctum"},{"id":"sanctum.sanctum_effect_60079","text":"Has Pledge to the Deserted","type":"sanctum"},{"id":"sanctum.sanctum_effect_48548","text":"Has Pledge to the Afflicted","type":"sanctum"},{"id":"sanctum.sanctum_effect_0","text":"Has ","type":"sanctum"}]},{"id":"skill","label":"Skill","entries":[{"id":"skill.shield_block","text":"Grants Skill: Level # Raise Shield","type":"skill"},{"id":"skill.mana_drain","text":"Grants Skill: Level # Mana Drain","type":"skill"},{"id":"skill.power_siphon","text":"Grants Skill: Level # Power Siphon","type":"skill"},{"id":"skill.summon_skeleton_warrior","text":"Grants Skill: Level # Skeletal Warrior Minion","type":"skill"},{"id":"skill.sigil_of_power","text":"Grants Skill: Level # Sigil of Power","type":"skill"},{"id":"skill.lightning_bolt","text":"Grants Skill: Level # Lightning Bolt","type":"skill"},{"id":"skill.malice","text":"Grants Skill: Level # Malice","type":"skill"},{"id":"skill.volatile_dead","text":"Grants Skill: Level # Volatile Dead","type":"skill"},{"id":"skill.chaosbolt","text":"Grants Skill: Level # Chaos Bolt","type":"skill"},{"id":"skill.firebolt","text":"Grants Skill: Level # Firebolt","type":"skill"},{"id":"skill.freezing_shards","text":"Grants Skill: Level # Freezing Shards","type":"skill"},{"id":"skill.bone_blast","text":"Grants Skill: Level # Bone Blast","type":"skill"},{"id":"skill.discipline","text":"Grants Skill: Level # Discipline","type":"skill"},{"id":"skill.living_bomb_player","text":"Grants Skill: Level # Living Bomb","type":"skill"},{"id":"skill.spellslinger_invocation","text":"Grants Skill: Level # Spellslinger","type":"skill"},{"id":"skill.purity_of_fire","text":"Grants Skill: Level # Purity of Fire","type":"skill"},{"id":"skill.unique_dusk_vigil_triggered_blazing_cluster","text":"Grants Skill: Level # Ember Fusillade","type":"skill"},{"id":"skill.purity_of_lightning","text":"Grants Skill: Level # Purity of Lightning","type":"skill"},{"id":"skill.purity_of_ice","text":"Grants Skill: Level # Purity of Ice","type":"skill"},{"id":"skill.unique_earthbound_triggered_spark","text":"Grants Skill: Level # Spark","type":"skill"},{"id":"skill.parry","text":"Grants Skill: Level # Parry","type":"skill"},{"id":"skill.unique_breach_lightning_bolt","text":"Grants Skill: Level # Lightning Bolt","type":"skill"},{"id":"skill.corpse_cloud_triggered","text":"Grants Skill: Level # Decompose","type":"skill"},{"id":"skill.reap","text":"Grants Skill: Level # Reap","type":"skill"},{"id":"skill.unleash","text":"Grants Skill: Level # Unleash","type":"skill"},{"id":"skill.galvanic_field","text":"Grants Skill: Level # Galvanic Field","type":"skill"},{"id":"skill.consecrate","text":"Grants Skill: Level # Consecrate","type":"skill"},{"id":"skill.enervating_nova","text":"Grants Skill: Level # Enervating Nova","type":"skill"},{"id":"skill.fulmination","text":"Grants Skill: Level # Fulmination","type":"skill"},{"id":"skill.solar_orb","text":"Grants Skill: Level # Solar Orb","type":"skill"},{"id":"skill.feast_of_flesh","text":"Grants Skill: Level # Feast of Flesh","type":"skill"},{"id":"skill.life_remnants","text":"Grants Skill: Level # Life Remnants","type":"skill"},{"id":"skill.corpse_cloud","text":"Grants Skill: Level # Decompose","type":"skill"},{"id":"skill.hyena_cackle","text":"Grants Skill: Level # Cackling Companions","type":"skill"},{"id":"skill.phantasmal_arrow","text":"Grants Skill: Level # Phantasmal Arrow","type":"skill"},{"id":"skill.gemini_surge","text":"Grants Skill: Level # Gemini Surge","type":"skill"},{"id":"skill.molten_crash","text":"Grants Skill: Level # Molten Crash","type":"skill"},{"id":"skill.cast_on_block","text":"Grants Skill: Level # Cast on Block","type":"skill"},{"id":"skill.pinnacle_of_power","text":"Grants Skill: Level # Pinnacle of Power","type":"skill"},{"id":"skill.black_powder_blitz_reservation","text":"Grants Skill: Level # Black Powder Blitz","type":"skill"},{"id":"skill.scattering_calamity","text":"Grants Skill: Level # His Scattering Calamity","type":"skill"},{"id":"skill.future_past","text":"Grants Skill: Level # Future-Past","type":"skill"},{"id":"skill.herald_of_thunder","text":"Grants Skill: Level # Herald of Thunder","type":"skill"},{"id":"skill.herald_of_ice","text":"Grants Skill: Level # Herald of Ice","type":"skill"},{"id":"skill.herald_of_ash","text":"Grants Skill: Level # Herald of Ash","type":"skill"},{"id":"skill.cast_on_charm_use","text":"Grants Skill: Level # Cast on Charm Use","type":"skill"},{"id":"skill.blink","text":"Grants Skill: Level # Blink","type":"skill"},{"id":"skill.shattering_spite","text":"Grants Skill: Level # Shattering Spite","type":"skill"},{"id":"skill.valakos_charge","text":"Grants Skill: Level # Valako's Charge","type":"skill"},{"id":"skill.requiem_ammo","text":"Grants Skill: Level # Compose Requiem","type":"skill"},{"id":"skill.heart_of_ice","text":"Grants Skill: Level # Heart of Ice","type":"skill"},{"id":"skill.icestorm","text":"Grants Skill: Level # Icestorm","type":"skill"},{"id":"skill.his_winnowing_flame","text":"Grants Skill: Level # His Winnowing Flame","type":"skill"},{"id":"skill.mirror_of_refraction","text":"Grants Skill: Level # Mirror of Refraction","type":"skill"},{"id":"skill.his_foul_emergence","text":"Grants Skill: Level # His Foul Emergence","type":"skill"},{"id":"skill.cast_lightning_spell_on_hit","text":"Grants Skill: Level # Thundergod's Wrath","type":"skill"},{"id":"skill.vile_disruption","text":"Grants Skill: Level # His Vile Intrusion","type":"skill"},{"id":"skill.grave_command","text":"Grants Skill: Level # His Grave Command","type":"skill"},{"id":"skill.crackling_palm","text":"Grants Skill: Level # Crackling Palm","type":"skill"},{"id":"skill.exploding_poison_toad","text":"Grants Skill: Level # Bursting Fen Toad","type":"skill"},{"id":"skill.withering_presence","text":"Grants Skill: Level # Withering Presence","type":"skill"},{"id":"skill.chaos_surge","text":"Grants Skill: Level # Chaotic Surge","type":"skill"},{"id":"skill.impurity","text":"Grants Skill: Level # Impurity","type":"skill"},{"id":"skill.fireball","text":"Grants Skill: Level # Fireball","type":"skill"}]}]}
\ No newline at end of file